url
stringlengths
11
2.25k
text
stringlengths
88
50k
ts
timestamp[s]date
2026-01-13 08:47:33
2026-01-13 09:30:40
https://www.git-tower.com/learn/git/ebook/en/desktop-gui/advanced-topics/git-flow
Workflows with git-flow | Learn Git Ebook (GUI Edition) Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Workflows with git-flow Git Flow is a branching model that provides a framework for managing branches in your Git project. Table of Contents Part 1 - The Basics What is Version Control? Why Use Version Control? Setting Up Git on Your Computer The Basic Workflow Starting with an Unversioned Project Starting with an Existing Project Working on Your Project Part 2 - Branching & Merging Branching can Change Your Life Working with Branches Saving Changes Temporarily Checking Out a Local Branch Merging Changes Branching Workflows Part 3 - Sharing Work via Remote Repositories Introduction to Remote Repositories Connecting a Remote Repository Inspecting Remote Data Integrating Remote Changes Publishing a Local Branch Deleting Branches Part 4 - Advanced Topics Undoing Things Inspecting Changes with Diffs Dealing with Merge Conflicts Rebase as an Alternative to Merge Submodules Forking Pull Requests Workflows with git-flow Handling Large Files with LFS Authentication with SSH Public Keys Part 5 - Tools & Services Diff & Merge Tools Code Hosting Services More Learning Resources Appendix Version Control Best Practices Switching from Subversion to Git Why Git? Learn on: Desktop GUI | Command Line Workflows with git-flow When using version control in a team, it's crucial to agree on a workflow. Git in particular allows to do lots of things in lots of ways. However, if you don't use a common workflow in your team, confusion is inevitable. In principle, you're free to define your workflow of choice just as you want it - or you simply adopt an existing one. In this chapter, we'll look at a workflow that has become quite popular in recent years: "git-flow". What is git-flow? git-flow provides you with a handful of extra commands. Each of these commands performs multiple tasks automatically and in a predefined order. And voila - there we have our workflows! git-flow is by no means a replacement for Git. It's just a set of scripts that combine standard Git commands in a clever way. Strictly speaking, you wouldn't even have to use the scripts to use git-flow(-like) workflows: you could easily learn which workflow involves which individual tasks - and simply perform these Git commands (with the right parameters and in the right order) on your own. The git-flow scripts, however, save you from having to memorize all of this. Installing git-flow A couple of different forks of git-flow have emerged in recent years. In this chapter, we're using one of the most popular ones: the AVH Edition . Using Tower, you don't have to install anything as the app already includes the git-flow scripts. Setting Up git-flow in a Project When you "switch on" git-flow in a project, Git still works the same way in this repository. It is totally up to you to use special git-flow commands and normal Git commands in this repository side by side. Put another way, git-flow doesn't alter your repository in any dramatic way. That being said, however, git-flow indeed expects some conventions. Let's initialize it in a new project and we'll instantly see. In Tower, either activate the "Git Flow" tab in the "Settings" area - or simply click the "Git-Flow" button in the toolbar. You can then enable git-flow and will see the following configuration dialog: Although you can enter any names you like, I strongly suggest you stick with the default naming scheme - unless you have a very good reason to stray off the defaults. Branching Model The git-flow model expects two main branches in a repository: master always and exclusively contains production code. You don't work directly on the master branch but instead in designated, separate feature branches (which we'll talk about in a minute). Not committing directly to the master branch is a common hygiene rule in many workflows. develop is the basis for any new development efforts you make: when you start a new feature branch it will be based on develop . Additionally, this branch also aggregates any finished features, waiting to be integrated and deployed via master . These two branches are so-called long-running branches: they remain in your project during its whole lifetime. Other branches, e.g. for features or releases, only exist temporarily: they are created on demand and are deleted after they've fulfilled their purpose. Let's start exploring all of this in some real-world use cases. Feature Development Working on a feature is by far the most common task for any developer. That's why git-flow offers a couple of workflows around feature development that help do this in an organized way. Starting a New Feature Let's start working on a new "rss-feed" feature. Click the "Git-Flow" button in Tower's toolbar and select "Start Feature". git-flow now created a new branch called "feature/rss-feed" (the "feature/" prefix was one of the configurable options on setup). As you already know, using separate branches for your feature development is one of the most important ground rules in version control. git-flow also directly checks out the new branch so you can jump right into work. Finishing a Feature After some time of hard work and a number of clever commits, our feature is finally done. Right-click the feature branch in Tower's sidebar and select "Git-Flow Finish Feature 'rss-feed'". Most importantly, the "feature finish" command integrates our work back into the main "develop" branch. There, it waits... ...to be thouroughly tested in the broader "develop" context. ...to be released at a later time with all the other features that accumulate in the "develop" branch. git-flow also cleans up after us: it deletes the (now obsolete) feature branch and checks out the "develop" branch. Managing Releases Release management is another important topic that version control deals with. Let's look at how to create and publish releases with git-flow. Creating a New Release Do you feel that your current code on the "develop" branch is ripe for a new release? This should mean that it (a) contains all the new features and fixes and (b) has been thoroughly tested. If both (a) and (b) are true, you're ready to start a new release. To do so, click the "Git-Flow" button in the toolbar and select "Start Release". Note that release branches are named using version numbers. In addition to being an obvious choice, this naming scheme has a nice side-effect: git-flow can automatically tag the release commit appropriately when we later finish the release. With a new release branch in place, popular last preparations include bumping the version number (if your type of project keeps note of the version number somewhere in a file) and making any last-minute adaptions. Finishing the Release It's time to hit the danger button and finish our release: again, right-click the release branch in Tower's sidebar and choose "Git-Flow Finish Release". This triggers a couple of actions: First, git-flow pulls from the remote repository to make sure you are up-to-date. Then, the release content is merged back into both "master" and "develop" (so that not only the production code is up-to-date, but also new feature branches will be based off the latest code). To easily identify and reference it later, the release commit is tagged with the release's name ("1.1.5" in our case). To clean up, the release branch is deleted and we're back on "develop". From Git's point of view, the release is now finished. Depending on your setup, committing on "master" might have already triggered your deployment process - or you now manually do anything necessary to get your software product into the hands of your users. Hotfixes As thoroughly tested as your releases might be: all too often, just a couple of hours or days later, a little bug might nonetheless show its antennas. For cases like these, git-flow offers the special "hotfix" workflow (since neither a "feature" branch nor a "release" branch would be appropriate). Creating Hotfixes As before, the "Git-Flow" button in the toolbar is our starting point: choose "Start Hotfix" from the menu and, for our example, name the hotfix "missing-link". This creates a new branch named "hotfix/missing-link". Since we need to fix production code, the hotfix branch is based off of "master". This is also the most obvious distinction from release branches, which are based off of the "develop" branch. Because you wouldn't want to base a production hotfix on your (still unstable) develop code... Just like with a release, however, we bump up our project's version number and - of course - fix that bug! Finishing Hotfixes With our solution committed to the hotfix branch, it's time to wrap up: simply right-click the hotfix branch in Tower's sidebar and choose "Git Flow Finish Hotfix". The procedure in the background is very similar to finishing a release: The changes are merged both into "master" as well as into "develop" (to make sure the bug doesn't slip into the next release, again). The hotfix is tagged for easy reference. The branch is deleted and "develop" is checked out again. As with a release, now's the time to build / deploy your product (in case this hasn't already been triggered automatically). Workflows: A Recap Let me finish this chapter by stressing an important point once more: git-flow doesn't add any functionality on top of Git. It's simply a set of scripts that bundle Git commands into workflows. However, agreeing on a fixed process makes collaborating in a team much easier: everybody, from the "Git pro" to the "version control newbie", knows how certain tasks ought to be done. Keep in mind, though, that you don't have to use git-flow to achieve this: often, after some time and experience, teams notice that they don't need git-flow anymore. Once the basic parts and goals of a workflow are understood, you're free to define your own. Pull Requests Contents Handling Large Files with LFS Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://szabgab.com/python
Python Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Python Introducing Best practices Your team is probably focused very much on the development of your product. They don't have time to keep up with the changes in Python and the Python ecosystem. Once in a while you'll want to introduce some of the new "best practices" to your team. This can be writing Object Oriented code or using functional paradigms. It might be adding (unit)tests or adding type annotations. I can help teams get up-to-date, introduce industry-wide best practices both with hands-on work and by teaching the team members. Contact me Helping to move faster and safer The key to making your team move faster is a tight feedback loop. The sooner they can verify that everything work and the sooner they notice if there is a problem with the changes they made, the faster they can fix it, the faster they can move on to the next task. For the tight feedback loop you need automated tests that can run fast, you need standardization in the code-base, linting, type-checking and a CI system that runs it all. I can help setting up and developing these and I can also teach your team members to continue running with these new tools. Python Courses I have a number of fixed Python courses and I can also customize a course for your exact needs. Python Beginner . Python Advanced . Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas . Web application development using Python Flask . Open Source Python projects PyDigger collecting and analyzing information about Python modules from PyPI. Articles and Videos about Python Python Maven contains articles, slides, and videos about Python in English. Python Maven in Hebrew mostly videos about Python in Hebrew. Community I am one of the organizers of the Python community in Israel and specifically the PyWeb-IL Meetup group. I organize online events with presentations about Python in English. See the Python Maven live page. I help organizing PyConIL the annual Python conference in Israel. © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://szabgab.com/courses/perl
Programming Perl Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Programming Perl Objectives To be able to use Perl as a tool in some daily tasks To use Perl to automate small tasks need by programmers Audience Java, C, C++, C# programmers who want to have a tool for daily tasks Course Format Duration of the course can be 4 hours frontal lecture It can be extended by 4 more hours hands-on exercises to fill a day There is also a short 1 hour lecture version Prerequisites At least one year experience in one of the high-level language such as Java, C, C++ or C# Experience on either Microsoft Windows or Unix/Linux Syllabus Introduction History, how to install Perl, how to run scripts Syntax of the language Basic I/O Scalar values and variables (numbers and strings) Control flow Lists and arrays (context) Hash (associative arrays) Functions, subroutines Accessing files Interaction with the file system Error handling Regular Expressions Using references Using modules Using OOP style Installing modules on UNIX/Linux and on Windows systems Database access, cleaning up old records from the database Generating reports on daily activity Sending e-mail reports Converting Excel or CSV files to database rows and vice verse Converting Excel files to XML and vice verse Cleaning up temporary files Backup of database and the file system used by the application Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/ebook/en/desktop-gui/advanced-topics/submodules
Submodules | Learn Git Ebook (GUI Edition) Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Submodules A "Submodule" is a standard Git repository that is nested inside a repository so that you can manage libraries and other resources separately. Table of Contents Part 1 - The Basics What is Version Control? Why Use Version Control? Setting Up Git on Your Computer The Basic Workflow Starting with an Unversioned Project Starting with an Existing Project Working on Your Project Part 2 - Branching & Merging Branching can Change Your Life Working with Branches Saving Changes Temporarily Checking Out a Local Branch Merging Changes Branching Workflows Part 3 - Sharing Work via Remote Repositories Introduction to Remote Repositories Connecting a Remote Repository Inspecting Remote Data Integrating Remote Changes Publishing a Local Branch Deleting Branches Part 4 - Advanced Topics Undoing Things Inspecting Changes with Diffs Dealing with Merge Conflicts Rebase as an Alternative to Merge Submodules Forking Pull Requests Workflows with git-flow Handling Large Files with LFS Authentication with SSH Public Keys Part 5 - Tools & Services Diff & Merge Tools Code Hosting Services More Learning Resources Appendix Version Control Best Practices Switching from Subversion to Git Why Git? Learn on: Desktop GUI | Command Line Submodules Often in a project, you want to include libraries and other resources. The manual way is to simply download the necessary code files, copy them to your project, and commit the new files into your Git repository. While this is a valid approach, it's not the cleanest one. By casually throwing those library files into your project, we're inviting a couple of problems: This mixes external code with our own, unique project files. The library, actually, is a project of itself and should be kept separate from our work. There's no need to keep these files in the same version control context as our project. Should the library change (because bugs were fixed or new features added), we'll have a hard time updating the library code. Again, we need to download the raw files and replace the original items. Since these are quite common problems in everyday projects, Git of course offers a solution: Submodules. Repositories Inside Repositories A "Submodule" is just a standard Git repository. The only specialty is that it is nested inside a parent repository. In the common case of including a code library, you can simply add the library as a Submodule in your main project. A Submodule remains a fully functional Git repository: you can modify files, commit, pull, push, etc. from inside it like with any other repository. Let's see how to work with Submodules in practice. Adding a Submodule In our sample project, we want to add a little Javascript library called "ToProgress". We create a new "lib" folder to host this (and future) library code; and a new "ToProgress" folder inside. Clicking the little "+" button on the bottom left of the Tower window, we choose "Add Submodule...". In the dialog, we paste the remote URL of the library and choose our new and empty destination folder: Let's see what happened after confirming this dialog: (1) The command started a simple cloning process of the specified Git repository. (2) Of course, this is reflected in our file structure: our project now contains the library code in our "lib/ToProgress" directory. As you can see from the ".git" subfolder contained herein, this is a fully-featured Git repository. Concept It's important to understand that the actual contents of a Submodule are NOT stored in its parent repository. Only its remote URL, the local path inside the main project and the checked out revision are stored by the main repository. Of course, the Submodule's working files are placed inside the specified directory in your project - in the end, you want to use the library's files! But they are not part of the parent project's version control contents. (3) A new ".gitmodules" file was created. This is where Git keeps track of our Submodules and their configuration: [submodule "lib/ToProgress"] path = lib/ToProgress url = https://github.com/djyde/ToProgress In case you're interested in the inner workings of Git: besides the ".gitmodules" configuration file, Git also keeps record of the Submodule in your local ".git/config" file. Finally, it also keeps a copy of each Submodule's .git repository in its internal ".git/modules" folder. Concept Git's internal management of Submodules are quite complex (as you can already guess from all the .gitmodules, .git/config, and .git/modules entries...). Therefore, it's highly recommended not to mess with configuration files and values manually. Please do yourself a favor and always use manage Submodules through Tower. Let's have a look at our project's status: Git regards adding a Submodule as a modification like any other - and requests you to commit it to the repository. After that, we have successfully added a Submodule to our main project! Before we look at a couple of use cases, let's see how you can clone a project that already has Submodules added. Cloning a Project with Submodules You already know that a project repository does not contain its Submodules' files; the parent repository only saves the Submodules' configurations as part of version control. This shows when you clone a project that contains Submodules: by default, Git only downloads the project itself. Our "lib" folder, however, would stay empty. You have two options to end up with a populated "lib" folder (or wherever else you choose to save your Submodules; "lib" is just an example): (a) You can check the "Initialize Submodules" option in the "Clone Remote Repository" dialog in Tower; this tells Tower to also initialize all Submodules when the cloning is finished. (b) If you haven't used this option, you need to initialize the Submodules afterwards: in Tower's sidebar, right-click the Submodule items and choose the "Initialize" option. Checking Out a Revision A Git repository can have countless committed versions, but only one version's files can be in your working directory. Therefore, like with any Git repository, you have to decide which revision of your Submodule shall be checked out . Concept Unlike normal Git repositories, Submodules always point to a specific commit - not a branch. This is because the contents of a branch can change over time, as new commits arrive. Pointing at a specific revision, on the other hand, guarantees that the correct code is always present. Let's say we want to have an older version of our "ToProgress" library in our project. First, we'll have a look at the library's commit history. Simply double-click the Submodule item in Tower's sidebar. This opens it for working in Tower; any actions you perform now will happen in the context of the Submodule, not its parent repository. Now, in the log output, we spot a commit that is tagged "0.1.1": This is the version we want to have in our project. To start with, we can simply check out this commit. Right-click it in the list and select "Check Out 3557a0e0". Let's see what our parent repository thinks about all this. Simply select it in the navigation bar below the button toolbar to return to the main project. On the right, we see that the Subproject is now checked out at the commit we've just chosen. This makes sense - since we just changed the checked out revision to the commit tagged "0.1.1". In the "Status" list in the middle column, we see that Git regards moving the Submodule's pointer as a change like any other. We need to commit this to the repository in order to make it official. Updating a Submodule with a Moved Pointer We just saw how to check out a Submodule at a specific revision. But what if one of our teammates does this in our project? Let's say we integrate his changes (through pull, merge, or rebase for example) after he has moved the Submodule pointer to a different revision. Now, after completing the "pull" operation, Tower detects that the Submodule pointer was moved - the version we currently have checked out in our project is not the one that is "officially" committed. If you choose to let Tower automatically update, it does the heavy lifting for you in the background. "Update", when referring to Submodules, means that Git checks out the Submodule revision that is currently committed in the parent repository. We now have the same version of the Submodule checked out that our teammate had committed to the repository. Checking for New Changes in the Submodule Normally, you don't want library code to change very often: you'll want to use a version of the Submodule that you've tested and which you know works flawlessly with your own code. However, one of the best things about Submodules is that you can easily keep up with new releases (or minor new improvements). Let's see if there's new code available in the Submodule: simply double-click the Submodule item in the sidebar to open it in Tower and perform a "Fetch". It seems we're lucky because the Fetch reveals a new commit on "origin/master": Concept Before we go ahead and integrate these changes, I'd like to stress an important point once more. When looking at the BRANCHES section in Tower's sidebar, you see that the Submodule repository is currently checked out a specific commit - not a branch! This is what's called a detached HEAD in Git. Normally, in Git, you always have a certain branch checked out. However, you can also choose to check out a specific commit (one that is not the tip of a branch). This is a rather rare case in Git and should normally be avoided. However, when working with Submodules, it is the normal state to have a certain commit (and not a branch) checked out. You want to make sure you have an exact, static commit checked out in your project - not a branch which, by its nature, moves on with newer commits. Now, let's check out our Submodule at this new commit. In this case, you can simply perform a "pull" from "origin/master" to make this commit your new HEAD. We're done working in our Submodule; let's move back into our main project by selecting it in the navigation bar breadcrumb. Since we've just moved the Submodule pointer to a different revision, we need to commit this change to the main repository to make it official. Working in a Submodule In some cases, you might want to make some custom changes to a Submodule. You've already seen that working in a Submodule is like working in any other Git repository: any Git commands that you perform inside a Submodule are executed in the context of that sub-repository. Let's say you want to change a tiny bit in a Submodule; you make your changes in the corresponding files, add them to the staging area and commit them. This might already be the first banana skin: you should make sure you currently have a branch checked out in the Submodule before you commit. That's because if you're in a detached HEAD situation, your commit will easily get lost: it's not attached to any branch and will be gone as soon as you check out anything else. Apart from that, everything else you've already learned still applies: in the main project, Tower will tell you that the Submodule pointer was moved and that you'll have to commit the move. By the way: in case you have uncommitted local changes inside a Submodule, Tower will also tell you in the main project. A badge next to the Submodule in the sidebar and a description text in its detail view help you stay on top of things: Make sure to always keep a clean state in your Submodules. Deleting a Submodule Rather seldomly will you want to remove a Submodule from your project. But if you really want to do this, please don't do this manually: trying to mess with all the configuration files in a correct way will almost inevitably cause problems. Simply right-click the Submodule in the sidedbar and choose "Delete". This will allow you to have both the configuration and the actual Submodule files removed. As with any change you'll have to commit the removal to record it in the repository. Rebase Contents Forking Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://dev.to/colocodes/react-class-components-vs-function-components-23m6#main-content
React: class components vs function components - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Damian Demasi Posted on Dec 1, 2021           React: class components vs function components # webdev # javascript # beginners # react When I first started working with React, I mostly used function components, especially because I read that class components were old and outdated. But when I started working with React professionally I realised I was wrong. Class components are very much alive and kicking. So, I decided to write a sort of comparison between class components and function components to have a better understanding of their similarities and differences. Table Of Contents Class components Rendering State A common pitfall Props Lifecycle methods Function components Rendering State Props Conclusion Class components This is how a class component that makes use of state , props and render looks like: class Hello extends React . Component { constructor ( props ) { super ( props ); this . state = { name : props . name }; } render () { return < h1 > Hello, { this . state . name } </ h1 >; } } // Render ReactDOM . render ( Hello , document . getElementById ( ' root ' ) ); Enter fullscreen mode Exit fullscreen mode Related sources in which you can find more information about this: https://reactjs.org/docs/components-and-props.html Rendering Let’s say there is a  <div>  somewhere in your HTML file: <div id= "root" ></div> Enter fullscreen mode Exit fullscreen mode We can render an element in the place of the div with root id like this: const element = < h1 > Hello, world </ h1 >; ReactDOM . render ( element , document . getElementById ( ' root ' )); Enter fullscreen mode Exit fullscreen mode Regarding React components, we will usually be exporting a component and using it in another file: Hello.jsx import React , { Component } from ' react ' ; class Hello extends React . Component { render () { return < h1 > Hello, { this . props . name } </ h1 >; } } export default Hello ; Enter fullscreen mode Exit fullscreen mode main.js import React from ' react ' ; import ReactDOM from ' react-dom ' ; import Hello from ' ./app/Hello.jsx ' ; ReactDOM . render (< Hello />, document . getElementById ( ' root ' )); Enter fullscreen mode Exit fullscreen mode And this is how a class component gets rendered on the web browser. Now, there is a difference between rendering and mounting, and Brad Westfall made a great job summarising it : "Rendering" is any time a function component gets called (or a class-based render method gets called) which returns a set of instructions for creating DOM. "Mounting" is when React "renders" the component for the first time and actually builds the initial DOM from those instructions. State A state is a JavaScript object containing information about the component's current condition. To initialise a class component state we need to use a constructor : class Hello extends React . Component { constructor () { this . state = { endOfMessage : ' ! ' }; } render () { return < h1 > Hello, { this . props . name } { this . state . endOfMessage } </ h1 >; } } Enter fullscreen mode Exit fullscreen mode Related sources about this: https://reactjs.org/docs/rendering-elements.html https://reactjs.org/docs/state-and-lifecycle.html Caution: we shouldn't modify the state directly because it will not trigger a re-render of the component: this . state . comment = ' Hello ' ; // Don't do this Enter fullscreen mode Exit fullscreen mode Instead, we should use the setState() method: this . setState ({ comment : ' Hello ' }); Enter fullscreen mode Exit fullscreen mode If our current state depends from the previous one, and as setState is asynchronous, we should take into account the previous state: this . setState ( function ( prevState , prevProps ) { return { counter : prevState . counter + prevProps . increment }; }); Enter fullscreen mode Exit fullscreen mode Related sources about this: https://reactjs.org/docs/state-and-lifecycle.html A common pitfall If we need to set a state with nested objects , we should spread all the levels of nesting in that object: this . setState ( prevState => ({ ... prevState , someProperty : { ... prevState . someProperty , someOtherProperty : { ... prevState . someProperty . someOtherProperty , anotherProperty : { ... prevState . someProperty . someOtherProperty . anotherProperty , flag : false } } } })) Enter fullscreen mode Exit fullscreen mode This can become cumbersome, so the use of the [immutability-helper](https://github.com/kolodny/immutability-helper) package is recommended. Related sources about this: https://stackoverflow.com/questions/43040721/how-to-update-nested-state-properties-in-react Before I knew better, I believed that setting a new object property will always preserve the ones that were not set, but that is not true for nested objects (which is kind of logical, because I would be overriding an object with another one). That situation happens when I previously spread the object and then modify one of its properties: > b = { item1 : ' a ' , item2 : { subItem1 : ' y ' , subItem2 : ' z ' }} //-> { item1: 'a', item2: {subItem1: 'y', subItem2: 'z'}} > b . item2 = {... b . item2 , subItem1 : ' modified ' } //-> { subItem1: 'modified', subItem2: 'z' } > b //-> { item1: 'a', item2: { subItem1: 'modified', subItem2: 'z' } } > b . item2 = { subItem1 : ' modified ' } // Not OK //-> { subItem1: 'modified' } > b //-> { item1: 'a', item2: { subItem1: 'modified' } } Enter fullscreen mode Exit fullscreen mode But when we have nested objects we need to use multiple nested spreads, which turns the code repetitive. That's where the immutability-helper comes to help. You can find more information about this here . Props If we want to access props in the constructor , we need to call the parent class constructor by using super(props) : class Button extends React . Component { constructor ( props ) { super ( props ); console . log ( props ); console . log ( this . props ); } // ... } Enter fullscreen mode Exit fullscreen mode Related sources about this: https://overreacted.io/why-do-we-write-super-props/ Bear in mind that using props to set an initial state is an anti-pattern of React. In the past, we could have used the componentWillReceiveProps method to do so, but now it's deprecated . class Hello extends React . Component { constructor ( props ) { super ( props ); this . state = { property : this . props . name , // Not recommended, but OK if it's just used as seed data. }; } render () { return < h1 > Hello, { this . props . name } </ h1 >; } } Enter fullscreen mode Exit fullscreen mode Using props to initialise a state is not an anti-patter if we make it clear that the prop is only used as seed data for the component's internally-controlled state. Related sources about this: https://sentry.io/answers/using-props-to-initialize-state/ https://reactjs.org/docs/react-component.html#unsafe_componentwillreceiveprops https://medium.com/@justintulk/react-anti-patterns-props-in-initial-state-28687846cc2e Lifecycle methods Class components don't have hooks ; they have lifecycle methods instead. render() componentDidMount() componentDidUpdate() componentWillUnmount() shouldComponentUpdate() static getDerivedStateFromProps() getSnapshotBeforeUpdate() You can learn more about lifecycle methods here: https://programmingwithmosh.com/javascript/react-lifecycle-methods/ https://reactjs.org/docs/state-and-lifecycle.html Function components This is how a function component makes use of props , state and render : function Welcome ( props ) { const [ timeOfDay , setTimeOfDay ] = useState ( ' morning ' ); return < h1 > Hello, { props . name } , good { timeOfDay } </ h1 >; } // or const Welcome = ( props ) => { const [ timeOfDay , setTimeOfDay ] = useState ( ' morning ' ); return < h1 > Hello, { props . name } , good { timeOfDay } </ h1 >; } // Render const element = < Welcome name = "Sara" />; ReactDOM . render ( element , document . getElementById ( ' root ' ) ); Enter fullscreen mode Exit fullscreen mode Rendering Rendering a function component is achieved the same way as with class components: function Welcome ( props ) { return < h1 > Hello, { props . name } </ h1 >; } const element = < Welcome name = "Sara" />; ReactDOM . render ( element , document . getElementById ( ' root ' ) ); Enter fullscreen mode Exit fullscreen mode Source: https://reactjs.org/docs/components-and-props.html State When it comes to the state, function components differ quite a bit from class components. We need to define an array that will have two main elements: the value of the state, and the function to update said state. We then need to assign the useState hook to that array, initialising the state in the process: import React , { useState } from ' react ' ; function Example () { // Declare a new state variable, which we'll call "count" const [ count , setCount ] = useState ( 0 ); return ( < div > < p > You clicked { count } times </ p > < button onClick = { () => setCount ( count + 1 ) } > Click me </ button > </ div > ); } Enter fullscreen mode Exit fullscreen mode The useState hook is the way function components allow us to use a component's state in a similar manner as  this.state  is used in class components. Remember: function components use hooks . According to the official documentation: What is a Hook?  A Hook is a special function that lets you “hook into” React features. For example,  useState  is a Hook that lets you add React state to function components. We’ll learn other Hooks later. When would I use a Hook?  If you write a function component and realize you need to add some state to it, previously you had to convert it to a class. Now you can use a Hook inside the existing function component. To read the state of the function component we can use the variable we defined when using useState in the function declaration ( count in our example). < p > You clicked { count } times </ p > Enter fullscreen mode Exit fullscreen mode In class components, we had to do something like this: < p > You clicked { this . state . count } times </ p > Enter fullscreen mode Exit fullscreen mode Every time we need to update the state, we should call the function we defined ( setCount in this case) with the values of the new state. < button onClick = { () => setCount ( count + 1 ) } > Click me </ button > Enter fullscreen mode Exit fullscreen mode Meanwhile, in class components we used the this keyword followed by the state and the property to be updated: < button onClick = { () => this . setState ({ count : this . state . count + 1 }) } > Click me </ button > Enter fullscreen mode Exit fullscreen mode Sources: https://reactjs.org/docs/hooks-state.html Props Finally, using props in function components is pretty straight forward: we just pass them as the component argument: function Avatar ( props ) { return ( < img className = "Avatar" src = { props . user . avatarUrl } alt = { props . user . name } /> ); } Enter fullscreen mode Exit fullscreen mode Source: https://reactjs.org/docs/components-and-props.html Conclusion Deciding whether to use class components or function components will depend on the situation. As far as I know, professional environments use class components for "main" components, and function components for smaller, particular components. Although this may not be the case depending on your project. I would love to see examples of the use of class and function components in specific situations, so don't be shy of sharing them in the comments section. 🗞️ NEWSLETTER - If you want to hear about my latest articles and interesting software development content, subscribe to my newsletter . 🐦 TWITTER - Follow me on Twitter . Top comments (33) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand   Brad Westfall Brad Westfall Brad Westfall Follow Teaching @ReactTraining Work Instructor at ReactTraining.com Joined Jun 4, 2021 • Dec 2 '21 Dropdown menu Copy link Hide The issue with class based components and the driving reason why the React team went towards functional components was for better abstractions. In 2013 when React came out, there was a feature called mixins (this is before JavaScript classes were possible). Mixins were a way to share code between components but fostered a lot of problems and anti-patterns. In 2015 JS got classes and 2016 React moved towards real class-based components. Everyone was excited that mixins were gone but we also lost a primitive way to share code in React. Without React offering a way to share code, the community turned towards patterns instead. With classes, if you want to share reusable code between two components, you only really have two pattern choices - higher order components (HoC's) or the "render props" pattern. HoC has several known problems. In other words, I could give you a "try to abstract this" task with classes and you just wouldn't be able to do it with HoC, it had pretty bad limitations. The render props patter was popularized later and it actually fixed all four known issues with HoC's, so a lot of react devs became a fan of this new pattern, but it had new new problems that HoC's never had. I wrote a detailed piece on this a while back gist.github.com/bradwestfall/4fa68... The reason why hooks were created was to bring functional components up to speed with class based components as far as capability (as you mentioned above) but the end goal of that was custom hooks. With a custom hook we get functional composition capabilities and this solves all six issues of Hoc and Render Props problems, although there are still some good reasons to use render props in certain situations (checkout Formik). If you want, checkout Ryan's keynote at the conference where they announced hooks youtube.com/watch?v=wXLf18DsV-I Also, the reason why classes are still around is just because the React team knew it would be a while for companies to migrate their big code bases from classes to hooks so they kept both ways around. Hope it helps someone Like comment: Like comment: 5  likes Like Comment button Reply Collapse Expand   Damian Demasi Damian Demasi Damian Demasi Follow Web Developer - I switched careers in my 40s - Writer of web development blog posts - I love to share Notion templates Location Adelaide, Australia Work Web Developer Joined Jun 29, 2020 • Dec 3 '21 Dropdown menu Copy link Hide Wow, thanks so much @bradwestfall ! This is a very interesting back-story on classes and function components. I really appreciate the time you took to explain all of this. Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Brad Westfall Brad Westfall Brad Westfall Follow Teaching @ReactTraining Work Instructor at ReactTraining.com Joined Jun 4, 2021 • Dec 3 '21 Dropdown menu Copy link Hide No problem, your article does a nice job comparing strictly from a syntax standpoint, there's just the whole code abstraction part to consider. Honestly, after teaching hooks now for 3 years, I know that hooks syntax can be harder to grasp than the class syntax, but I also know that most developers are willing to take on the more difficult hooks syntax for the tradeoff of having much better abstraction options, that's really the main idea. For real though, checkout Ryan's conference talk, it's fantastic Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Eugene Eugene Eugene Follow Pronouns He/him Joined Oct 29, 2021 • Feb 8 '22 Dropdown menu Copy link Hide Some people told, the argument to use class components - error boundaries, which don't have function implementation yet. (It's not my opinion, I just recently started to learn react and seeking for useful information here and there) Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Anass Boutaline Anass Boutaline Anass Boutaline Follow Full-stack Web Developer, Software engineer Location Morocco Work Full-stack Web Developer Joined Jun 1, 2019 • Dec 2 '21 Dropdown menu Copy link Hide This is a hot topic bro, nice done, otherwise i guess that functional components are cleaner and easy to maintain, so whatever the size of your app, we always look for better and maintainable code, so FC are better than classes any way (React point of view only) Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   tanth1993 tanth1993 tanth1993 Follow Joined Jan 5, 2020 • Dec 3 '21 Dropdown menu Copy link Hide the only thing I like Class Component is that there is a callback in setState . I usually use it when after set loading for the page :) Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Gil Fewster Gil Fewster Gil Fewster Follow Web developer, tinkerer, take-aparterer (and, sometimes, put-back-togetherer) Location Melbourne, Australia Work Front End Developer at Art Processors Joined Jul 23, 2019 • Dec 3 '21 • Edited on Dec 3 • Edited Dropdown menu Copy link Hide The equivalent in functional components is the useEffect hook, which can be setup to run a function when one or more specific dependencies change. There is also a hook called useReducer which gives you the ability to perform complex actions and logic when dependencies change. Very useful for deriving properties from complex state. Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Damian Demasi Damian Demasi Damian Demasi Follow Web Developer - I switched careers in my 40s - Writer of web development blog posts - I love to share Notion templates Location Adelaide, Australia Work Web Developer Joined Jun 29, 2020 • Dec 6 '21 Dropdown menu Copy link Hide Spot on! Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Omar Pervez Omar Pervez Omar Pervez Follow I'm Web Designer, and I am very passionate and dedicated to my work. With 4 years experience as a professional Web Developer, Location Noakhali, Bangladesh. Education Noakhali Science and Technology University Work Front-end Web Developer at PPH Joined Dec 2, 2021 • Dec 2 '21 • Edited on Dec 2 • Edited Dropdown menu Copy link Hide I am new dev in react. I am learning class component. Is that okay for me? Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Damian Demasi Damian Demasi Damian Demasi Follow Web Developer - I switched careers in my 40s - Writer of web development blog posts - I love to share Notion templates Location Adelaide, Australia Work Web Developer Joined Jun 29, 2020 • Dec 2 '21 Dropdown menu Copy link Hide When I started learning React, I saw function components first, and then class components. But I think a better approach will be learning class components first, so then, when you learn function components, you will see why they exists and the advantages they have over the class components. Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Monday David S. Monday David S. Monday David S. Follow Email davidsarka242@gmail.com Joined Mar 7, 2021 • Dec 4 '21 Dropdown menu Copy link Hide Totally agree with you Like comment: Like comment: 3  likes Like Thread Thread   Omar Pervez Omar Pervez Omar Pervez Follow I'm Web Designer, and I am very passionate and dedicated to my work. With 4 years experience as a professional Web Developer, Location Noakhali, Bangladesh. Education Noakhali Science and Technology University Work Front-end Web Developer at PPH Joined Dec 2, 2021 • Dec 5 '21 Dropdown menu Copy link Hide We need to learn first Class component and then Functional Component Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Omar Pervez Omar Pervez Omar Pervez Follow I'm Web Designer, and I am very passionate and dedicated to my work. With 4 years experience as a professional Web Developer, Location Noakhali, Bangladesh. Education Noakhali Science and Technology University Work Front-end Web Developer at PPH Joined Dec 2, 2021 • Dec 3 '21 Dropdown menu Copy link Hide Yes, I think you are right. Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Jeysson Guevara Jeysson Guevara Jeysson Guevara Follow Joined Jul 24, 2021 • Dec 3 '21 Dropdown menu Copy link Hide You'll need to learn both anyways, it is quite frequent to find projects that mix the two methodologies. Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   Omar Pervez Omar Pervez Omar Pervez Follow I'm Web Designer, and I am very passionate and dedicated to my work. With 4 years experience as a professional Web Developer, Location Noakhali, Bangladesh. Education Noakhali Science and Technology University Work Front-end Web Developer at PPH Joined Dec 2, 2021 • Dec 3 '21 Dropdown menu Copy link Hide Thank you Jeysson, I think it will help me lot in my react learning Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Andrew Baisden Andrew Baisden Andrew Baisden Follow Software Developer | Content Creator | AI, Tech, Programming Location London, UK Education Bachelor Degree Computer Science Work Software Developer Joined Feb 11, 2020 • Dec 4 '21 Dropdown menu Copy link Hide Nice comparison I have completely converted to functional components it would be hard to go back to classes now. When I initially started to learn hooks my thoughts were the reverse. It really is that much better though. Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   Damian Demasi Damian Demasi Damian Demasi Follow Web Developer - I switched careers in my 40s - Writer of web development blog posts - I love to share Notion templates Location Adelaide, Australia Work Web Developer Joined Jun 29, 2020 • Dec 6 '21 Dropdown menu Copy link Hide I now have the dilemma of choosing between class or function components at my workplace... I guess that as I gain more experience I will be able to make better decisions. Like comment: Like comment: 1  like Like Comment button Reply Collapse Expand   Damian Demasi Damian Demasi Damian Demasi Follow Web Developer - I switched careers in my 40s - Writer of web development blog posts - I love to share Notion templates Location Adelaide, Australia Work Web Developer Joined Jun 29, 2020 • Dec 1 '21 Dropdown menu Copy link Hide That is awesome @lukeshiru ! Thanks for sharing your experience. I think that what is actually happening is that the app in which I'm working on is rather old, and function components did not exist back then. Taking into account your experience, do you think that using class components have any benefit over the function components? Like comment: Like comment: 2  likes Like Comment button Reply Collapse Expand   sophiegrafe sophiegrafe sophiegrafe Follow Former Barmaid trained to be fullstack dev last year! Working hard to not be that Jake of all trades, master of none 😅 Education Interface3 Joined Mar 30, 2022 • Mar 30 '22 • Edited on Mar 30 • Edited Dropdown menu Copy link Hide Thank you very much for this, your article and the discussion that follows were a great help to clarify the subject! I will definitely go with FC but take some time to be more comfortable with the class-based approach in case of need. I have a very little observation to make regarding the way you explained useState affectation "to an array" under "State" in FC section. You wrote: "We need to define an array that will have two main elements[...] We then need to assign the useState hook to that array. [...]" When I see brackets, as a beginner, it automatically triggers the "array" reflex, but brackets on the left side of the assignment operator means destructuring assignment, here array destructuring. As I understand this, we don't assign the useState hook to an array, it's the other way around actually, we are unpacking or extracting values from an array and assigning them to variables. useState return an array of 2 values and DA allows us to avoid this kind of extra lines: const useState = useState ( initialValue ); const stateValue = useState [ 0 ]; const setStateValue = useState [ 1 ]; Enter fullscreen mode Exit fullscreen mode reactjs.org/docs/hooks-state.html#... for a more complete review of this syntax: javascript.info/destructuring-assi... I found DA very useful in many situations for arrays, strings and objects. Totally worth mentioning, learning and using! Again thank you! Like comment: Like comment: 1  like Like Comment button Reply   Damian Demasi Damian Demasi Damian Demasi Follow Web Developer - I switched careers in my 40s - Writer of web development blog posts - I love to share Notion templates Location Adelaide, Australia Work Web Developer Joined Jun 29, 2020 • Dec 2 '21 Dropdown menu Copy link Hide Great, thanks for your input! Like comment: Like comment: 3  likes Like Comment button Reply Collapse Expand   echoes2099 echoes2099 echoes2099 Follow Joined Jul 10, 2018 • May 30 '22 Dropdown menu Copy link Hide I was under the impression the official stance was that class components were deprecated...as in dont create new code using these. We recently had to ditch a form library that was written with classes. The reason being is because it did not have useEffects that reacted to all changes in state (and I'm not sure if you could write the equivalent useEffect with hooks). So we were seeing bugs where dynamically injected fields could not register themselves. React hooks are OK but i wouldn't go back to a class based approach for new code Like comment: Like comment: 1  like Like Comment button Reply View full discussion (33 comments) Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Damian Demasi Follow Web Developer - I switched careers in my 40s - Writer of web development blog posts - I love to share Notion templates Location Adelaide, Australia Work Web Developer Joined Jun 29, 2020 More from Damian Demasi The Power of Microtools: How AI and "Vibe Coding" Are Changing the Way We Build # ai # vibecoding # webdev # productivity How to Learn Python Faster and Easier with This Notion Template # python # programming # beginners # learning Learning how to code: with our special guest, Ron # webdev # beginners # programming # tutorial 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://szabgab.com/courses/github-actions-for-programmers
GitHub Actions for programmers Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> GitHub Actions for programmers Objectives Be able to setup GitHub Action as a Continuous Integration system. Run GitHub Actions on Linux, macOS, and MS Windows. Run GitHub Actions in Docker containers. Audience Software developers and programmers who need to work co-operatively on projects. Course Format Duration of the course is 8 academic hours. One full day or 2 half-days. The course includes approximately 40% hands on lab work. Prerequisites An understanding of the cloud-based source-code management. Syllabus About GitHub Actions GitHub Actions vs GitHub workflows What kind of things can be done using GitHub Actions Creating the first workflow The basic structure of the YAML configuration files Select the platform Run simple shell commands Triggers push pull_request manually running jobs selecting branches The matrix of jobs Defining variables in the matrix Excluding sets Including sets fail-fast Using services in the workflows Using MongoDB Using PostgreSQL Using MySQL/MariaDB Using Redis Variables and Secrets Display the existing environment variables Create environment variables for jobs Stores secrets Use the secret in the workflows Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://szabgab.com/courses/github
GitHub Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> GitHub Objectives Use GitHub effectively Audience Teams of software developers and programmers who need to work co-operatively on projects. DevOps engineers Automation engineers Course Format Duration of the course is 16 academic hours. Two full days or 4 half-days. The course includes approximately 40% hands on lab work. Prerequisites An understanding of the cloud-based source-code management. Syllabus About GitHub What is GitHub Creating an account Issues What are Issues Opening an Issue Tagging issues Searching for issues Markdown used by GitHub Basic Markdown format Referencing commits Referencing issues and Pull-Requests Working with branches Branching Merging Conflict resolution Tagging Working with a remote repository Forking Pull-Requests Cloning a remote repository pull push CI/CD with Github Actions Creating the first workflow Select your container Choose your language(s) Build matrix Compiling code Running tests Reporting Secrets Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://stripe.com/se/privacy
Chatta med Stripe-försäljning Privacy Policy Stripe logo Juridisk Stripe Privacy Policy & Privacy Center Integritetspolicy Cookie-policy Ramverk för dataintegritet Lista över tjänsteleverantörer Avtal om databehandling Supplier Data Processing Agreement Stripes integritetscenter Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractua
2026-01-13T08:49:19
https://szabgab.com/courses/docker
Docker Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Docker Objectives Understand what problems Docker solves. Understand when Docker might not be the appropriate solution. Be able to create basic Docker images. Be able to run Docker containers Audience Developers Tech Leaders QA engineers DevOps engineers Automation engineers Course Format Typically 8 academic hours. One whole day 9:00-17:00 or two half-days. The course includes approximately 40% hands-on lab work. Prerequisites Understanding of Linux Basic Administrative knowledge of Linux At least 1 year of experience in the software development world. Bring a computer where you have rights to install new software. Syllabus Introduction to Docker Why use Docker? What is Docker? How can Docker bridge the gap between Developers, QA, and Operations? Installing Docker on Windows, macOS, Linux Public Docker Images Docker Registry / Docker HUB Difference between a Docker Image and a Docker Container Docker Daemon (Server), Client Running the first Docker container Run a Docker container - Hello World! Download a docker image (pull) Docker on the command line List docker containers Cleaning up the dead containers. Remove docker container Name a docker container List docker images Remove docker images Create a Docker image manually Use the Ubuntu Docker image Use the CentOS Docker image Install packages in the container Create files on the container Stop container Restart container Copy file from container Create image from container Distribute command line script in an image Create a Docker image using Dockerfile Create a simple image FROM RUN CMD ENTRYPOINT COPY Distributing a command-line application. Accessing the disk on the host system. WORKDIR ENV Layers Caching Tagging an image Docker compose Run several Docker images at once Rebuild docker image when running with docker-compose Run multi-host applications using docker-compose. Create an image in the repository (from GitHub) Networking with docker-compose Dockerfile commands ARG ADD CMD COPY ENTRYPOINT ENV EXPOSE FROM RUN WORKDIR The Python track Distribute a web application: Flask Distribute a web application: Flask + Nginx Distribute a web application: Flask + Nginx + MongoDB Mapping ports of the Docker image and the local system. EXPOSE Use cases for Docker Distributing a pre-configured system. Distributing a database system. Filesystems Volumes Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://otter.technology/code-of-conduct-training/
Code of Conduct Enforcement Training – Otter Tech Code of Conduct Training Blog Contact 0 - items Cart empty You are here: Home » Code of Conduct Enforcement Training Code of Conduct Enforcement Training Many events and communities have a Code of Conduct. However, communities often lack a plan for following up on reports and enforcing their Code of Conduct. Yesterday I attended Otter Tech’s workshop on how to enforce a code of conduct and respond to reports. I’m so grateful. Without knowing how to do these things a code of conduct is essentially useless. Evy Kassirer  Organizer, StarCon Waterloo Practical Training Otter Tech’s Code of Conduct Incident Response Workshop gives you the practical, hands on experience you need for Code of Conduct enforcement. In this workshop, you’ll learn how to: Support a person making a report Evaluate a Code of Conduct report Create a plan to help the reported person change their behavior Effectively follow up with the reported person I volunteer with a non-profit that runs summer camps for young adults. Using the techniques discussed in the workshop, we were recently able to handle an incident of harassment. One of the reporters said they were amazed at how well the entire situation was handled. We believe that those participants will feel comfortable coming back to a future camp based largely on their positive experience with how the report was handled. They thought very highly of our organization’s ability to respond. Steve Ross  Summer Camp Volunteer Purchase Tickets / Workshop schedule Workshop dates: The workshop is run approximately once a month. Workshop times: Our workshops take place at different times to accommodate people around the world. Please double check the workshop time before purchasing a ticket. Follow the links below to purchase a workshop ticket, or check what time the workshop runs in your timezone: November 20, 2025 (Thurs) – APAC time zones – 01:00 UTC December 10, 2025 (Wed) – Americas time zones – 17:00 UTC 2026 workshop dates TBD If our scheduled workshop times don’t meet your needs, please reach out to schedule new workshop. Contact sharp@otter.technology with the number of people who need training, the attendees’ timezones, and any deadlines for training (such as event or conference dates). Sign up for the Otter Tech mailing list to be notified of future workshop dates. Off to attend training on code-of-conduct enforcement with the rest of the North Bay Python Conference team, because the safety and well-being of our attendees is our first job as organizers Sam Kimbrel  Organizer, North Bay Python Conference Workshop Content The workshop covers: Tips for protecting reporter privacy Frameworks for deciding consequences of inappropriate behavior Discussion on bias, intent, and microaggressions Discussion on personal conflicts, false reporting, and power dynamics 40 minutes total of Q&A time The workshop also includes interactive practice enforcing a Code of Conduct. Attendees will practice in pairs. Practice includes: Receiving a Code of Conduct violation report Evaluating a report in a group setting Following up with the reported person There will be two practice scenarios. They will cover one incident in an in-person event and one incident in an online community. The practice scenarios allow participants to rehearse calm and firm responses in a safe learning environment. After each practice scenario, the facilitator will guide a group discussion on any questions that arose during the practice. The role playing really nudged people to share, and investigate their similar experiences, questions and reactions. Emma Irwin  Mozilla community member The workshop includes 40 minutes of Q&A time. A facilitator experienced in Code of Conduct enforcement will answer any questions you have. Working with an expert is key for event organizers and community leaders wanting to create a safe, inclusive event. Workshop Logistics Our Code of Conduct Incident Response workshops are run completely online via Zoom. You’ll be attending with up to 20 different event organizers and online community leaders. These workshops are a great way to discuss and learn from other communities. The workshop run time is 4 hours . There are two breaks: a 5 minute break at 1 hour and 30 minutes in, and a 15 minute break at 2 hours and 30 minutes. The whole learning experience was extremely well organized and thought through. This was done online extremely well (and I’d add that I’ve worked as an learning designer and facilitator in online spaces for over 15 years so I understand and appreciate the prep and skill it takes to do it THIS well!) Tracy Kelly  Senior Manager, Learning & Teaching, BCcampus A professional development certificate can be provided upon request after completing the workshop. Payment Options You can purchase a individual ticket for a workshop with a credit card through the Otter Tech website. Group tickets can be purchased one of two ways: through the Otter Tech website, or through an invoice sent to your billing department. If you purchase tickets through the Otter Tech website, you will need to know which workshop date(s) your group will attend. Your group does not need to attend the same workshop date. Attending multiple workshop dates allows your group to learn from attendees from different organizations. Otter Tech can also generate an invoice for a group ticket purchase. Once the invoice is paid, Otter Tech will send you a coupon code that allows attendees to purchase a ticket at a 100% discount. This option allows the attendees to pick their own date and time to attend a workshop. The coupon code is valid for 1 year from payment date. The Otter Tech invoice can be paid via credit card, ACH, SWIFT, or check in USD. Otter Tech can provide a W-9 tax form if needed. Please contact us for additional payment options. Diversity Deep Dives Mailing List Otter Tech's Diversity Deep Dives mailing list provides insight into the tough topics around diversity and inclusion in tech. Join our mailing list today! Copyright 2017 by Otter Tech LLC   -  Designed by Thrive Themes | Powered by WordPress
2026-01-13T08:49:19
https://dev.to/decision_intelligent/uae-vat-corporate-tax-compliance-with-odoo-erp-decision-intelligent-2e27#comments
UAE VAT & Corporate Tax Compliance with Odoo ERP | Decision Intelligent - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse DECISION INTELLIGENT Posted on Dec 26, 2025 UAE VAT & Corporate Tax Compliance with Odoo ERP | Decision Intelligent # ai # decisionintelligent # odooerp # uaetax UAE VAT & Corporate Tax Compliance Made Simple with Odoo ERP The UAE's tax environment has changed significantly with the introduction of Value Added Tax (VAT) and Corporate Tax (CT). Businesses that rely on spreadsheets or basic accounting software face higher risks of errors, penalties, and failed audits. To stay compliant, competitive, and audit-ready, UAE companies are adopting Odoo ERP, expertly implemented by Decision Intelligent, to automate tax processes and gain full financial control. The Compliance Challenge for UAE Businesses VAT Compliance Risks UAE businesses must comply with Federal Tax Authority (FTA) regulations, including: Correct VAT registration and classification Accurate application of VAT rates (5%, 0%, exempt) Proper tax invoices and documentation Timely and error-free VAT return filing Even small mistakes can lead to penalties, fines, and audit scrutiny. Corporate Tax Obligations With Corporate Tax now in effect, businesses must: Calculate taxable income accurately Apply allowable deductions and exemptions Maintain compliant financial statements Prepare FTA-ready records for audits Without an integrated ERP system, compliance becomes complex and risky. Why Odoo ERP Is the Smart Choice for UAE Tax Compliance An ERP system is no longer optional - it is a business necessity. Odoo ERP offers a centralized, automated, and scalable platform that supports UAE tax regulations by design. Key Advantages of Odoo ERP Automated VAT calculations Real-time financial visibility FTA-compliant tax reporting Complete audit trail Scalable for multi-branch and multi-company operations How Odoo ERP Ensures UAE VAT & Corporate Tax Compliance 1. UAE VAT–Ready Configuration Odoo supports: UAE VAT tax groups and rates Sales and purchase VAT automation Reverse charge mechanisms Zero-rated and exempt supplies VAT is applied automatically on invoices and bills, reducing manual errors. 2. FTA-Compliant VAT Reports Odoo generates: VAT summary reports Transaction-level VAT details Audit-ready tax records This allows faster and more accurate VAT return filing. 3. Corporate Tax–Ready Accounting Odoo ensures: Proper chart of accounts Accurate profit & loss statements Clear expense classification Transparent taxable income calculation This simplifies Corporate Tax preparation and reporting. 4. Strong Audit Trail & Documentation Every transaction in Odoo is: Time-stamped User-tracked Fully documented This is essential for FTA audits and long-term compliance. 5. Multi-Company & Branch Compliance Odoo supports: Multiple legal entities Separate VAT registrations Consolidated or individual reporting Perfect for growing UAE businesses. Why Decision Intelligent Is the Right Odoo Partner in the UAE Technology alone does not guarantee compliance - expert implementation does. Decision Intelligent combines Odoo expertise with deep UAE tax knowledge. Local Tax & ERP Expertise Decision Intelligent understands: UAE VAT law Corporate Tax regulations FTA compliance standards Your system is configured correctly from day one. Tailored Odoo Implementation We customize Odoo based on: Your industry Business size and structure VAT and Corporate Tax obligations No generic setups - only compliance-focused solutions. Ongoing Support & Compliance Assurance Decision Intelligent provides: Continuous Odoo support Updates for tax law changes Training for finance teams Your compliance stays intact as regulations evolve. Business Benefits of Odoo ERP with Decision Intelligent Reduced VAT & Corporate Tax risks Faster and more accurate tax filings Improved financial transparency Always audit-ready Scalable ERP for future growth Ready to Secure Your UAE Tax Compliance? If you want to eliminate tax risks, avoid penalties, and gain full control over your finances, Odoo ERP implemented by Decision Intelligent is your competitive advantage. Talk to Decision Intelligent today and discover how Odoo ERP can simplify UAE VAT and Corporate Tax compliance while supporting your business growth. 👉 Book a free Odoo consultation with Decision Intelligent 📩 info@decisionintelligent.com 🌐 decisionintelligent.com 👉 Call/Whatsapp: +971 50 5169693 / +971585703015 Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse DECISION INTELLIGENT Follow We empower organizations across industries to harness the power of artificial intelligence and make informed, data-backed decisions that drive success. Location Dubai, United Arab Emirates Joined Nov 18, 2025 More from DECISION INTELLIGENT How Odoo ERP Simplifies VAT Filing for UAE Businesses | Decision Intelligent # ai # decisionintelligent # odoo # erp Cloud vs On-Prem ERP: What Decision Intelligent Recommends for SMEs # decisionintelligent # odooerp # ai # sme Odoo for Real Estate: How Decision Intelligent Helps Agencies Automate Operations # decisionintelligent # ai # odoo # realestate 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://szabgab.com/courses/advanced-git
Advanced Git, methodologies and workflows Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Advanced Git, methodologies and workflows Objectives Be able to use the advanced features of Git. Understand the various methodologies and be able to use them in the appropriate situations. Audience Developers QA engineers DevOps engineers Automation engineers Course Format Duration of the course is typically 8 academic hours. One full day or two half-days. The course includes approximately 40% hands-on lab work. Prerequisites Assuming that the audience already knows the basics of git: (commit, log, push, pull, branch, merge) Bring your own computer where you already have Git-SCM installed and where you have the rights to install new software. Syllabus Advanced commands stash, to allow for quick switching of work. rebase, to make history smoother. bisect, to quickly find the change that broke the code. Revert changes Cherry Picking Interactive commit Interactive rebase Squashing commits Advanced log history searches Building custom command using aliases Fix failed and abandoned merge Introducing several methodologies, discussing the advantages and disadvantages of them. Single master centralized workflow. Short feature branches. Long feature branches with frequent rebase. GitFlow (feature branches, bug-fix branches, development branch, release branch) Forking workflow with multiple remote repositories. Working with Pull-requests. Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://design.forem.com/tags
Tags - Design Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Design Community Close Tags Following tags Hidden tags Search # javascript 218,473 posts Once relegated to the browser as one of the 3 core technologies of the web, JavaScript can now be found almost anywhere you find code. JavaScript developers move fast and push software development forward; they can be as opinionated as the frameworks they use, so let's keep it clean here and make it a place to learn from each other! Follow Hide # design 18,262 posts More than just making things look nice... Follow Hide # resources 5,186 posts Sharing helpful articles, tools, and learning materials Follow Hide # tools 7,287 posts General discussion about all types of design software and hardware Follow Hide # portfolio 2,579 posts Getting feedback on and discussing portfolio strategies Follow Hide # recommendations 5,736 posts Crowdsourced film and TV recommendations Follow Hide # sideprojects 1,878 posts Sharing and getting feedback on personal projects and passion work Follow Hide # nocode 2,166 posts Discussing tools and platforms for building without writing code Follow Hide # webdesign 3,272 posts All about designing websites, from layout to user experience Follow Hide # hardware 1,124 posts Discussing monitors, tablets, laptops, and other design hardware Follow Hide # uxdesign 884 posts Focusing on user experience, research, and creating user-centered products Follow Hide # uidesign 884 posts The art of designing beautiful and functional user interfaces Follow Hide # figma 765 posts Tips, tricks, plugins, and discussions for the popular design tool Follow Hide # freelancing 674 posts The business of design: clients, contracts, and pricing Follow Hide # ethics 407 posts Discussions on ethical considerations and responsibilities in design Follow Hide # productdesign 396 posts The intersection of business, technology, and user experience in products Follow Hide # offtopic 991 posts Off-topic discussions Follow Hide # careeradvice 509 posts Guidance on career paths, promotions, and professional growth Follow Hide # dataviz 265 posts The art and science of data visualization and information design Follow Hide # copywriting 94 posts The craft of writing effective UI text and microcopy Follow Hide # branding 339 posts The strategy and design of cohesive brand identities Follow Hide # photography 662 posts Using and creating photography in design projects Follow Hide # plugins 639 posts Plugin development and registry Follow Hide # salary 140 posts Discussing compensation, negotiation, and industry salary standards Follow Hide # typography 190 posts The art and technique of arranging type: fonts, pairings, and hierarchy Follow Hide # memes 163 posts Humorous movie/TV memes Follow Hide # showcase 120 posts Share your finished projects and celebrate your work Follow Hide # critique 62 posts Post your work for constructive feedback from the community (use with care!) Follow Hide # milestones 16 posts Celebrating achievements like breaking 100/90/80, first birdie, or eagle Follow Hide # landingpages 20 posts The art and science of designing high-converting landing pages Follow Hide # designhistory 1 posts The rich history of design movements, pioneers, and evolution Follow Hide # designpodcasts 0 posts Recommendations and discussions about design podcasts Follow Hide # polls 19 posts Community polls and questions Follow Hide # meetups 47 posts Organizing local golf meetups with other members Follow Hide # designthinking 166 posts Applying design thinking principles to solve complex problems Follow Hide # colortheory 17 posts Discussions on palettes, psychology, and application of color in design Follow Hide # icondesign 10 posts The art of creating clear and effective icons Follow Hide # motiongraphics 20 posts Bringing design to life with animation and visual effects Follow Hide # impostersyndrome 147 posts The psychological side of design, dealing with self-doubt and confidence Follow Hide # logodesign 63 posts The specific craft of creating logos and brand marks Follow Hide # layoutgrid 1 posts Mastering grids and layouts for web and print Follow Hide # newdesigner 4 posts A welcoming space for beginners and those new to the design industry Follow Hide # casestudies 228 posts Sharing in-depth project walkthroughs and design stories Follow Hide # userflows 2 posts Mapping out the paths users take through a product or website Follow Hide # adobesuite 2 posts Discussing Photoshop, Illustrator, InDesign, XD, and other Adobe products Follow Hide # procreate 5 posts For digital illustration and painting on the iPad Follow Hide # 3ddesign 18 posts Discussions on 3D modeling, rendering, and software Follow Hide # cms 1,192 posts Working with Content Management Systems like WordPress, Shopify, etc. Follow Hide # designblogs 1 posts Sharing and discussing insightful design blogs and publications Follow Hide # designbooks 0 posts Reviews and discussions of essential design literature Follow Hide # brainstorming 45 posts Techniques and discussions on generating creative ideas Follow Hide # selftaught 287 posts Tips and journeys for golfers improving without formal lessons Follow Hide # responsive 323 posts Techniques for creating designs that work across all screen sizes Follow Hide # designagencies 11 posts Discussions about famous design studios, agencies, and their work Follow Hide # aiindesign 26 posts Discussing the impact and use of artificial intelligence in the design process Follow Hide # webflow 150 posts Designing, building, and launching websites visually with Webflow Follow Hide # jobboard 37 posts Sharing and finding design-related job opportunities Follow Hide # designers 71 posts Celebrating the work and influence of famous designers, past and present Follow Hide # illustration 126 posts Discussions on digital and traditional illustration techniques and styles Follow Hide # worklifebalance 207 posts Discussing health, burnout, and creating a sustainable career in design Follow Hide # designschool 0 posts Discussions about formal design education, bootcamps, and degrees Follow Hide # designtrends 11 posts Discussing current and emerging visual trends in the industry Follow Hide # ecommercedesign 12 posts Designing for online stores and digital retail experiences Follow Hide # devhandoff 5 posts Best practices for collaborating with and handing off designs to developers Follow Hide # designsystems 158 posts Creating, maintaining, and using design systems and component libraries Follow Hide # styleguides 7 posts Discussions on creating and maintaining brand and UI style guides Follow Hide # sketch 76 posts For users of the Sketch design toolkit for macOS Follow Hide # inspiration 619 posts Posting and discussing sources of design inspiration Follow Hide # quotes 334 posts Iconic lines and quotes Follow Hide # wireframing 13 posts Creating low-fidelity blueprints and structural guides for projects Follow Hide # printdesign 6 posts Discussing layout, prepress, and the world of print Follow Hide # framer 40 posts Discussions on the interactive design and prototyping tool Follow Hide # htmlcss 112 posts Questions and discussions about the building blocks of the web Follow Hide # baddesign 5 posts Fun and educational teardowns of poorly designed products and experiences Follow Hide # prototyping 111 posts Building interactive mockups and prototypes to test ideas Follow Hide # userresearch 40 posts Methods, techniques, and discussions about understanding user needs Follow Hide # graphicdesign 175 posts Discussions on logos, branding, print, and visual communication Follow Hide # workspace 63 posts Show off your desk setup, home office, or studio space Follow Hide # designprocess 31 posts Discussing workflows and methodologies, from brief to final delivery Follow Hide # packaging 223 posts The design of product packaging and physical presentation Follow Hide 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Design Community — Web design, graphic design and everything in-between Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Design Community © 2016 - 2026. We're a place where designers share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://szabgab.com/contact
Contact Gábor Szabó Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Contact Gábor Szabó You can contact me through any of the following means: E-mail: gabor@szabgab.com Mobile phone: +972-54-4624648 (WhatsApp, Telegram, Viber) When in Europe: +36-50-1386558 © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://stripe.com/ae/privacy
Chat with Stripe sales Privacy Policy Stripe logo Legal Stripe Privacy Policy & Privacy Center Privacy Policy Cookies Policy Data Privacy Framework Service Providers List Data Processing Agreement Supplier Data Processing Agreement Stripe Privacy Center Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the Europe
2026-01-13T08:49:19
https://szabgab.com/cv.html
Resume of Gábor Szabó Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Resume of Gábor Szabó Personal Information Name: Gábor Szabó Birthplace: Budapest, Hungary Address: Modiin-Maccabim-Reut, Israel Phone: +972-(0)54-4624648 E-mail: szabgab@gmail.com Web site: szabgab.com LinkedIN: linkedin.com/in/szabgab Summary Helping companies to move forward in their projects by providing training, consulting, and contract development work primarily in Rust, Python, and Perl. Helping with testing, refactoring, setting up CI, containerization, and development best practices. Experience 2018-present: Guest Lecturer at Weizmann Institute of Science Teaching Python to Master's and Phd. students. Before I started to teach students in 2018 I taught several courses to the researchers and the internal system team. Every semester there is a Python for Beginners course. At first if was a 5-days long 8 hours a day intensive course before the semester called Programming Bootcamp for Scientists . During COVID I recorded the whole content of the Programming Bootcamp for Scientists Since then the course is back in the class-room. This time 5 half-days before the semester and 5 half-days in the first 5 weeks of the semester. 1998-present: Independent Trainer, Consultant, Developer Some of the services provided by Gabor Introducing Unit~, Integration~, and Acceptance testing. Introducing best practices for Version Control Systems. Developing and introducing test automation frameworks. Setting up Continuous Integration using Jenkins, Travis-CI, Bamboo, Bitbucket Pipelines, or a set of in-house tools. Setting up Continuous Delivery and Continuous Deployment. Converting teams to use Virtualization (Docker, Vagrant+VirtualBox). Implementing Continuous Learning practices. Introducing Pair programming. Handling cloud infrastructure (Google, Amazon, Linode, Digital Ocean). Some of the Contract Works I've Done Refactoring a web-based system with machine learning backend written in Python. Increasing test coverage from 0 to 70%, Extensive CI on GitLab, moving to Azure from AWS. Moving several systems from Amazon AWS to Google GCP. Creating a labeling system for entities in GCP for a cost reporting system. Helping to reduce cloud expenses. Resizing Elasticsearch clusters. Converting a build and testing system from TeamCity to Jenkins using a mix of Groovy, Bash, and Python. Building a Python Flask based reporting system for data in PostgreSQL, Elasticsearch, and Solr systems. Implementing and in-house agent-less CI system for a company that uses various small boards (eg. Firefly, Artik, and some Android based devices). Building a CI and release system. Implementing the API of 3rd party services in order to make it easier to test an application using that API. To test how to application behaves when the 3rd party application fails. When it response slower than expected. When it returns "out of quota" errors. etc. Installing Jenkins as in-house Continuous Integration system. Introducing unit-testing in Python. An in-house web-application to provide tools for the engineers to compare images. I used the Perl Dancer framework while the data was kept in PostgreSQL. The front-end was using Bootstrap and JQuery. An application aggregating data about mobile applications from the Apple App-store, Google Play, and various vendors that provide information about those applications. The data was provided in various formats, including CSV, XML, and JSON based feeds and APIs. The collected data was stored in a MySQL database and served via our own JSON based API and using JavaScript snippets. When I arrived and initial version of the application worked collecting data from one source and using CGI to serve the data. I've converted it to PSGI and created the system that was able to accommodate data from various sources in various formats. I used Perl Moo for OOP. Later we converted the application to Python and Django. An application to be used on Amazon Mechanical Turk. This was JavaScript based using JSON files for data storage without any additional back-end. An in-house application generating Excel reports from data in a PostgreSQL database to provide Business Intelligence. This project was built using Perl. A workflow management application to control the whole workflow of an in-house image processing and analysis system. This was implemented in Perl handling a number of data formats (CSV, XML), connecting to web-based APIs via HTTP and to a PostgreSQL database. Refactored a code-base used for in-house test-automation that when I arrived had about 4,000,000 lines of Perl code. Lots of log and database analysis code to provide data for Munin-based monitoring system. Mostly Perl with some Python. Took over the maintenance and further development of an event-based application written in Perl. The application was monitoring the file system for Excel files uploaded by the users. Then it analyzed and converted the Excel files to XML files that needed to be injected in a Java-based application. The results were then received in XML format and had to be converted back to Excel. The queues were using an SQLite database. Main areas of contracting works: In-house process automation Introducing test automation systems Configuration Management and Build Automation - setting up customized Continuous Integration systems In-house Web Applications Data processing Refactoring large code-bases Main areas of training provided: Rust for programmers Beginner and Advanced level of Python programming Beginner and Advanced level of Perl programming Test Automation using Python or Perl Unix/Linux for power users (using the Linux shell) Bash programming Version control with Subversion Version control with Git Mobile application development using HTML5/CSS3/JavaScript and PhoneGap Introduction to MongoDB Some of the customers I had during the years: Actelis Aladdin Knowledge Systems Amdocs Apply Tech - Perl development Assa Abloy (Rav Bariach) Bezeq International BGU/Deutsche Telekom (Israel) Breach Brodmann17 Cellex CEVA DSP Cisco Checkpoint Deutsche Telekom (Germany) DNV Norway Evogene ExLibris Forescout Harmonic systems Hazera Seeds (part of the Limagrain Group) iCarbonX Inomize Intel Iskoot (later Qualcomm) Jovial KLA (Tencor, Orbotech) LSI Mercury Interactive Migdal Insurance MyThings NDS (later Cisco) Norwegian Meteorological Inst Orange (Partner Ltd.) Orpak Palo Alto Networks Perfecto Mobile Qualcomm Radware Sandvine SAP Screenovate SeaBridge Networks - A Siemens company Sheer Networks (later Cisco) Superfish Twiggle Verint Weizmann Institute of Science Zoran 1998-present: Personal Projects and Involvement in the Open Source Community Books Published several books on Leanpub Web sites Code Maven articles about DevOps, Automation, Jenkins, Flask, Jinja (Python), Handlebars, AngularJS, (JavaScript), NodeJS and other technologies. Rust Maven articles about Rust. Python Maven articles about Python. Perl Maven the largest Perl-related blog with 10,000 visitors a day. Perl Weekly Newsletter a curated weekly newsletter providing Perl-related news. Slides - course materials. szabgab.com personal blog. blogs.perl.org/users/gabor_szabo/ Perl blog on a shared blogging platform. on DEV.to --> Open source projects, code contributions My GitHub account szabgab contains quite a few projects. Rust Digger - collecting and analyzing data about Rust crates. Written in Rust. PyDigger - collecting and analyzing Python packages. It is written using Python Flask. Ruby Digger - collecting and analyzing data about Rust gems. CPAN Digger - collecting and analyzing data about Perl modules. Padre, the Perl IDE . An IDE written in Perl with special features for developing Perl and Raku scripts and applications. Initiating and leading the project. Attracting more than 50 contributors. (2008-dormant). tracert.com, a web site that provides lots of resources for network administrators. (currently not working). DWIM Perl.com - a Perl distribution to make it easy for people to get started using Perl on Windows and to make it easy to deploy Perl-based application on Linux servers (discontinued). Developer and maintainer of the Perl Community AdServer ( pcas.szabgab.com ) (2007- closed). Developer and maintainer of the CPAN::Forum ( cpanforum.com ) (2004-2014 closed). Several Perl modules on CPAN, the Comprehensive Perl Archive Network. SZABGAB (2001-). Participation in several open source projects including MetaCPAN . Mostly writing unit tests and refactoring code. A JavaScript (actually JQuery) based interface to the JSON API provided by MetaCPAN. (cpan.perlmaven.com closed) Conference organization, presentations The Rust community Israel . (Rust-TLV Meetup group, LinkedIn group, WhatsApp group) The Python community Israel . (PyWeb-IL Meetup group, PyConIL). Live online events in English . (Code-Mavens Meetup group). Talks, presentations at several Israeli and international conferences such as YAPC in Europe and in the USA, German Perl Workshop, Nordic Perl Workshop, Belgian Perl Workshop, LinuxTag Berlin, FOSDEM , GoLinux (Israel), August Penguin (Israel) ), PyCon Israel . The Israeli Perl Mongers (Perl Users Group). Organizer at the Rehovot Perl Mongers (Users Group) (closed). Organizing 4 Perl Conferences in Israel YAPC Israel . Organizing the Open Source Developer Conference in Israel. Help organizing Perl conferences in Hungary Participating on lots of mailing lists and IRC channels Honors and Awards White Camel Award for contributing to the international Perl community (2008). HaMakor prize for contributing to the Israeli Open Source and Free software community (2009). Personal projects (closed source) Traceroute and Speed-Meter Gateway system for monitoring performance of web sites and helping resolve technical problems on the Internet. In the best times there were more than 50 measurement points installed worldwide. (1998- Not available anymore) Development of a distributed database of Internet Service Providers called EUISP with 6 mirrored sites of the site in 6 countries: USA, Australia, Spain, Finland, Hungary and Israel. (1998- Not available anymore). Hypolit, an automated, multi-server, add-based free web hosting site. (1998- Not available anymore) 2000-2000 - Infrastructure Manager at Goldnames Setup and administration of the internal infrastructure of the company's computer systems with 60 Win2000 clients, 2 NT 4.0, 10 Linux and a SUN server. Rebuilding the Intranet and improving security. Setup and monitoring 3 versions of the website at various complexity levels: small and static; multilingual with 7 languages on a dedicated server; two-tire system with Linux web and application server (JSP with Jakarta) and Oracle database on SUN/Solaris. Development and maintenance of a system to hold 35.000 domain names and related websites, increasing the daily hit rate by 50% within one week. Development of various tools for fast website development including and editor for the 35.000 domain names. This provided the company's business team with the capacity to independently make rapid changes to the splash pages. Providing various statistics on the performance of the companies different websites. Introducing automatization in several parts of the development. Training employees and teaching web programming languages (HTML, CGI, Perl, PHP). It lasted only between May and September 2000 when the company closed. 1997-1998 - Application and Integration Engineer at Phasecom Ltd. (renamed to Vyyo) Evaluating third party technology in order to include them in the networking side of the product. Writing Application Notes for the different systems. Training the Marketing and the Support team of those implementations. Working with switches, routers, VPN Data Encryption (RedCreek, VPNet) and Quality Of Service (Packeteer, BandWiz, Allot) devices. Accounting information, SNMP managers. Designing and developing an asynchronous, telco return system for Phasecoms' cable modem system. 1996-1997 - System engineer at AgentSoft Design, setup and maintenance of the companies computer infrastructure from scratch. Installation Microsoft Windows NT (WinNT 4.0) domain based network with Win95 clients. Adding UNIX and Macintosh to the system for portability testing. Evaluating and setup of version control system and bug tracking system. 1994-1996 - Developer and System administrator at Netmanage in Jerusalem Development: Worked on hypertext (SGML) creation, compilation and viewing system. Wrote part of a compiler to translate between two markup languages. Worked on the development of a file mirroring software based on FTP written in C++, part of the Chameleon suite. Created several internally used interactive Web-pages using shell scripts and Perl. (used C, Object Oriented LISP, AWK, VB) System administration: Lead the transition from a badly designed Novell network to a Microsoft Windows NT domain cross-connected with other offices worldwide. The administrated local network was composed of several Intranet servers and more than 50 PCs each of them configured for three operating systems. Installation of Intranet. Automatization (build and bug tracking system): Implemented some major improvements to automate the time consuming tasks of the distributed build system and to improve the working environment of the engineers. Improved the common bug tracking system (DDTS now ClearCase) and the common version control system (PVCS) used by the company. 1993-1994 - Automated QA at DEC Project at the R&D center of Digital in Jerusalem, writing scripts in C-- 1991-1992 - Translations for the Hungarian Television Translations from Hebrew for the Hungarian Television. Education 1993-1997 - MBA in Finance and Information Systems (IS) at The Hebrew University of Jerusalem. 1990-1993 - BSc. in Computer Sciences and Business Administration at The Hebrew University of Jerusalem. Languages Hungarian (mother tongue) Hebrew (fluent) English (very good) Spanish (intermediate) © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://stripe.com/de-be/privacy
Mit Stripe Sales chatten Privacy Policy Stripe logo Rechtsbereich Stripe Privacy Policy & Privacy Center Datenschutzerklärung Cookie-Richtlinie Datenschutz-Framework Dienstanbieterliste Datenverarbeitungsvereinbarung Supplier Data Processing Agreement Datenschutzcenter von Stripe Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Cl
2026-01-13T08:49:19
https://dev.to/t/git/page/5
Git Page 5 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Git Follow Hide Software for tracking changes in any set of files, usually used for coordinating work among programmers collaboratively developing source code during software development. Create Post Older #git posts 2 3 4 5 6 7 8 9 10 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Git for Beginners: Basics and Essential Commands Umar Hayat Umar Hayat Umar Hayat Follow Jan 5 Git for Beginners: Basics and Essential Commands # git # github # githubactions # beginners 1  reaction Comments Add Comment 7 min read How to sign your git commits with SSH when doing remote development Juan Luis Cano Rodríguez Juan Luis Cano Rodríguez Juan Luis Cano Rodríguez Follow Dec 3 '25 How to sign your git commits with SSH when doing remote development # git # github # ssh 1  reaction Comments Add Comment 2 min read Git - Github Quick Revision Mehfila A Parkkulthil Mehfila A Parkkulthil Mehfila A Parkkulthil Follow Dec 2 '25 Git - Github Quick Revision # github # git # webdev # programming 1  reaction Comments Add Comment 2 min read Mining Git Internals to Build a Year-in-Review Dashboard Nimai Charan Nimai Charan Nimai Charan Follow Jan 5 Mining Git Internals to Build a Year-in-Review Dashboard # go # git # programming Comments Add Comment 3 min read Just Finished A Group Project...My Thoughts Sandra Manyarkiy Sandra Manyarkiy Sandra Manyarkiy Follow Dec 1 '25 Just Finished A Group Project...My Thoughts # discuss # leadership # git # beginners 1  reaction Comments Add Comment 2 min read Change commit timestamps in Git Cassidy Williams Cassidy Williams Cassidy Williams Follow Dec 21 '25 Change commit timestamps in Git # git Comments Add Comment 3 min read Pequenos atalhos Git que deixaram meu fluxo de trabalho muito mais rápido Leonardo Rodrigues Leonardo Rodrigues Leonardo Rodrigues Follow Dec 1 '25 Pequenos atalhos Git que deixaram meu fluxo de trabalho muito mais rápido # git # produtividade # terminal # opensource Comments Add Comment 3 min read Small shortcuts that made my Git workflow easier Leonardo Rodrigues Leonardo Rodrigues Leonardo Rodrigues Follow Dec 1 '25 Small shortcuts that made my Git workflow easier # git # productivity # terminal # opensource Comments Add Comment 3 min read Git for Beginners saiyam gupta saiyam gupta saiyam gupta Follow Jan 4 Git for Beginners # beginners # git # tutorial 1  reaction Comments Add Comment 2 min read I Set Up My Windows 11 Machine Once for All DevOps Projects — Here’s How. Bala Audu Musa Bala Audu Musa Bala Audu Musa Follow Dec 14 '25 I Set Up My Windows 11 Machine Once for All DevOps Projects — Here’s How. # devops # windows11 # cloud # git Comments Add Comment 3 min read Git Alias: Rescue Commits from the Wrong Branch X X X Follow Dec 3 '25 Git Alias: Rescue Commits from the Wrong Branch # git # github # productivity # devops 5  reactions Comments Add Comment 3 min read Details on Git and Gitlab Kathirvel S Kathirvel S Kathirvel S Follow Jan 3 Details on Git and Gitlab # git # gitlab # webdev 2  reactions Comments Add Comment 3 min read Set-and-Forget Git Privacy in 5 Minutes: Auto-Switch No-Reply Emails for GitHub/GitLab Anydigital Anydigital Anydigital Follow Dec 3 '25 Set-and-Forget Git Privacy in 5 Minutes: Auto-Switch No-Reply Emails for GitHub/GitLab # git # github # gitlab # privacy Comments Add Comment 2 min read How I Escaped the Commit-Hook Loop in My Django Project Ajit Kumar Ajit Kumar Ajit Kumar Follow Dec 3 '25 How I Escaped the Commit-Hook Loop in My Django Project # git # commit # devops # python 2  reactions Comments Add Comment 2 min read Git for Beginners: Basics and Essential Commands 🚀 Harsh Harsh Harsh Follow Jan 1 Git for Beginners: Basics and Essential Commands 🚀 # git # beginners # tutorial # webdev Comments Add Comment 4 min read Learn Git Easily: A Beginner's Guide to Version Control Satpalsinh Rana Satpalsinh Rana Satpalsinh Rana Follow Jan 1 Learn Git Easily: A Beginner's Guide to Version Control # git Comments Add Comment 5 min read aigit - Git workflow automation with AI Hardik Sondagar Hardik Sondagar Hardik Sondagar Follow Nov 26 '25 aigit - Git workflow automation with AI # git # ai # opensource Comments Add Comment 2 min read Explore My GitHub Projects — Building, Learning & Shipping Muhammad Huzaifa Muhammad Huzaifa Muhammad Huzaifa Follow Nov 29 '25 Explore My GitHub Projects — Building, Learning & Shipping # git # github # publicinbox # githunt 1  reaction Comments Add Comment 1 min read Converting Windows Text to Linux Format Rost Rost Rost Follow Nov 27 '25 Converting Windows Text to Linux Format # linux # bash # cheatsheet # git Comments Add Comment 9 min read 🚜 Farmore — Mirror Every GitHub Repo You Own in One Command Digital Alchemyst Digital Alchemyst Digital Alchemyst Follow Nov 27 '25 🚜 Farmore — Mirror Every GitHub Repo You Own in One Command # github # git # clone # backup Comments Add Comment 2 min read Turning GitLab Merge Requests into MCP-Native Data with gitlabmcp archies-coder archies-coder archies-coder Follow Nov 26 '25 Turning GitLab Merge Requests into MCP-Native Data with gitlabmcp # ai # javascript # git # tooling Comments Add Comment 2 min read Why Version Control Exists: The Pendrive Problem Every Developer Faced Harsh Harsh Harsh Follow Dec 30 '25 Why Version Control Exists: The Pendrive Problem Every Developer Faced # git # versioncontrol # beginners # programming Comments Add Comment 3 min read Running InterSystems IRIS with Docker: A Step-by-Step Guide - Part 1: From the Basics to Custom Dockerfile InterSystems Developer InterSystems Developer InterSystems Developer Follow for InterSystems Nov 26 '25 Running InterSystems IRIS with Docker: A Step-by-Step Guide - Part 1: From the Basics to Custom Dockerfile # beginners # docker # git # vscode Comments Add Comment 34 min read Monitor All Your Git Projects at Once Uralys Uralys Uralys Follow Nov 25 '25 Monitor All Your Git Projects at Once # git # cli # tooling Comments Add Comment 2 min read Fixing Git "Out of Diskspace" Error When You Actually Have Space The Misleading Error Alin Ciovica Alin Ciovica Alin Ciovica Follow Nov 25 '25 Fixing Git "Out of Diskspace" Error When You Actually Have Space The Misleading Error # git Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://szabgab.com/rust
Rust Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Rust Rust courses Rust Web development with Rust Rocket Open Source Rust projects Rust Digger collecting and analyzing information about Rust Crates. Rust Maven SSG The Static Site Generator (SSG) used by the the Rust Maven web site. Banner Builder to create banners, thumbnails, images for social networks, etc. SEO Site Checker to analyze a web site and give recommendations on how to improve it Search Engine Optimiziation. Rustatic a simple web server to show static pages. Especially during development of static sites. My Crates Rust ebooks ebooks that can be freely dowwnloaded and read on Kindle. Open Source contributions Some contribution to the mdbook project, including a book about mdbooks and a collection of public mdbooks . Working on the axum by examples while contributing some tests and text to axum. Lots of small contributions (e.g. improving Cargo.toml files for crates, book.toml files for public mdbooks). warp by Example book. Articles and Videos about Rust Rust Maven contains articles, slides, and videos about Rust in English. Rust Maven in Hebrew mostly videos about Rust in Hebrew. Community I am one of the organizers of the Rust community in Israel and specifically the Rust-TLV Meetup group. I organize online events with presentations about Rust in English. See the Rust Maven live page. Podcast Rust Digger with Gabor Szabo on The Rustacean Station Podcast Rust at Work podcast series. © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://dumb.dev.to/enter?state=new-user
Welcome! - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Join the Forem Forem is a community of 3,676,891 amazing members Sign up with Apple Sign up with Facebook Sign up with GitHub Sign up with Google Sign up with Twitter (X) Sign up with Email By signing up, you are agreeing to our privacy policy , terms of use and code of conduct . Already have an account? Log in . 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account
2026-01-13T08:49:19
https://docs.microsoft.com/en-us/cpp/
Microsoft C/C++ Documentation | Microsoft Learn Skip to main content This browser is no longer supported. Upgrade to Microsoft Edge to take advantage of the latest features, security updates, and technical support. Download Microsoft Edge More info about Internet Explorer and Microsoft Edge Microsoft C++, C, and Assembler documentation Learn how to use C++, C, and assembly language to develop applications, services, and tools for your platforms and devices. Download Install Visual Studio and choose your C++ workloads Overview Welcome to C++ in Visual Studio Get started Get started with Visual Studio and C++ What's new What's new for C++ in Visual Studio Get started with C++ and C Learn to use the Visual Studio IDE Start a guided tour of Visual Studio Open code from a repo Write and edit code Build your code Debug your code Test your code Write C++ and C apps in Visual Studio Create a console calculator app Create a Windows Desktop app with Win32 Create a Windows Desktop app with MFC Create a Windows DLL Create a static library Create a .NET component Create a Universal Windows Platform app Use the command-line tools Compile C++ code Compile C code Compile C++/CX Compile C++/CLI Use C++ and C in Visual Studio Code Get started with Visual Studio Code Install the Microsoft C/C++ extension Use Microsoft C/C++ in Windows Use C++ in the Windows Subsystem for Linux Use C++ on Linux Use C++ on macOS Languages and frameworks C++ C Microsoft Assembler C++/CX for Windows Runtime C++/CLI for .NET Active Template Library (ATL) Microsoft Foundation Classes (MFC) C++/WinRT for Windows Runtime C++ and C workloads, features, and libraries Develop for your choice of platforms with Visual Studio tools. Workloads Universal Windows Platform development Windows Desktop development Linux development Embedded development Mobile development Game development Features Build reliable and secure programs Edit and refactor code Build code projects Debug your code Analyze your code Profile app performance Port and upgrade code Sanitize code for bugs Libraries C++ standard library reference C runtime library reference MFC and ATL Windows Desktop libraries Parallel programming libraries Cloud and networking libraries Azure SDK for C++ Universal Windows Platform libraries vcpkg package manager Microsoft Learn Q&A - C++ Team Blog - Twitter - Developer Community - Stack Overflow - How to report an issue - Suggest a feature - Contribute to C++ docs: Read our contributor guide . en-us Your Privacy Choices Theme Light Dark High contrast AI Disclaimer Previous Versions Blog Contribute Privacy Terms of Use Trademarks © Microsoft 2026
2026-01-13T08:49:19
https://szabgab.com/courses/github-for-non-technical-people
Making changes on GitHub for non-technical people Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Making changes on GitHub for non-technical people Objectives Use GitHub without any background in programming to make changes to data files in a corporation or to make non-code contribution to Open Source projects. Audience HR Marketing Sales Writers (e.g. technical documentation writer) Tech support Any non-technical person Course Format Duration of the course is 8-16 academic hours. Two full days or 4 half-days. The course includes approximately 40% hands on lab work. Prerequisites Access to the GitHub web site and a working email address. Syllabus About GitHub What is version control? What is GitHub? Creating an account. Setting an avatar Markdown used by GitHub Basic Markdown format. Creating a simple web site using Markdown. Links in the markdown Adding images Ordered and unordered bullet points Issues What are Issues Commenting on an Issue Opening an Issue Tagging issues Searching for issues Making changes to other porjects Making a change to a repository Sending a pull-request Understanding branches Updating a change Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://szabgab.com/courses/analysing-data-with-python-using-numpy-and-pandas
Analyzing data with Python using NumPy and Pandas Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Analyzing data with Python using NumPy and Pandas Objectives Analyzing data is critical for many people even if their core job is something else. In this course you'll get the tools to take data provided in some well known format, e.g. Excel files, CSV files etc. and analyze them. In the recent years Python and the SciPy libraries became the de-facto standard for data analysis, both for its price, the available breadth of solutions, and the general usability of the language. Python has long passed both Matlab and R in its popularity among practitioners. In this course we'll learn about two of the most basic libraries: NumPy and Pandas, and several other, related libraries that will help you answer some of the questions about your data. Audience People with lots of data who would like to make sense of that data and make decisions based on the results. Course Format Duration of the course is 32-40 academic hours. (Usually 4-5 full days or twice as many half-days). The course includes approximately 40% hands on lab work. Prerequisites Basic background in Python: Understanding basic data types: int, float, string, list, dictionary. Being able to use if-statement, loops, and functions. Being able to install and use 3rd party libraries. Taking the Python Beginner course and having some practice beyond the exercises will cover the prerequisites. Syllabus Development environments VS Code vs PyCharm vs Jupyter notebook Jupyter lab and Jupyter notebook NumPy NumPy arrays - vectors and matrices Data types Operations on arrays without writing loops Working with external data (Excel, CSV, images) Selecting data with boolean indexing Sorting, searching, filtering and retrieving data Pandas Series, an extension on NumPy arrays DataFrame representing a table of data Working with Pandas Loading and saving data (Excel, CSV) Understanding the basics about the data Filtering data by rows and columns Working with strings Filtering data while loading it to allow to handle huge data-files. Indexes Indexing and multi-level indexing Stacking and unstacking, and melting. Pivot tables Aggregate functionality Grouping Sorting Joining Combining data frames Other Categorizing data Working with date/time data Visualization of data with Pandas and other tools Pandas and reducing memory usage Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://dev.to/decision_intelligent/how-odoo-erp-simplifies-vat-filing-for-uae-businesses-decision-intelligent-26i2#comments
How Odoo ERP Simplifies VAT Filing for UAE Businesses | Decision Intelligent - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse DECISION INTELLIGENT Posted on Jan 5 How Odoo ERP Simplifies VAT Filing for UAE Businesses | Decision Intelligent # ai # decisionintelligent # odoo # erp Since the introduction of Value Added Tax (VAT) in the UAE, businesses are required to maintain accurate financial records, submit timely VAT returns, and comply with Federal Tax Authority (FTA) regulations . While VAT compliance can be complex and time-consuming when handled manually, modern ERP systems like Odoo ERP make the process significantly easier. At Decision Intelligent Software Trading L.L.C , we help UAE businesses streamline VAT compliance using Odoo ERP , ensuring accuracy, transparency, and peace of mind. This article explains how Odoo ERP simplifies VAT filing for UAE businesses and why it's the preferred solution for growing companies. Understanding VAT Challenges for UAE Businesses Many businesses in the UAE face common VAT-related challenges, including: Manual invoice tracking and data entry errors Incorrect VAT calculations (5% standard rate) Difficulty separating taxable, zero-rated, and exempt supplies Incomplete audit trails Time-consuming VAT return preparation Risk of penalties due to late or incorrect filings Without an integrated system, VAT compliance often becomes a monthly headache rather than a smooth process. What Is Odoo ERP? Odoo ERP is a comprehensive, modular enterprise resource planning system that integrates: Accounting & Finance Sales & Purchase Management Inventory & Warehousing CRM & Operations For UAE businesses, Odoo offers localized VAT features that align with FTA requirements, making it one of the most efficient ERP solutions for VAT compliance. How Odoo ERP Simplifies VAT Filing in the UAE 1. Automated VAT Calculation Odoo automatically calculates VAT at 5% on sales and purchases based on predefined tax rules. No manual calculations Reduced human error Consistent tax application across all transactions Each invoice, bill, or credit note automatically reflects the correct VAT amount. 2. VAT-Compliant Invoicing Odoo generates FTA-compliant tax invoices , including: TRN (Tax Registration Number) VAT amount clearly displayed Taxable amount breakdown Invoice date and unique number This ensures every invoice issued meets UAE VAT regulations without additional formatting work. 3. Real-Time VAT Reporting With Odoo ERP, businesses can access real-time VAT reports , including: VAT on sales (output tax) VAT on purchases (input tax) VAT payable or refundable Decision-makers can instantly view VAT liabilities, helping with better cash flow planning. 4. FTA-Ready VAT Return Reports Odoo generates VAT return reports aligned with the UAE FTA format, making it easier to: Prepare VAT returns Validate figures before submission Reduce dependency on spreadsheets With Decision Intelligent's Odoo configuration, reports are structured to match FTA Form 201 , minimizing errors during filing. 5. Centralized Record Keeping for Audits FTA requires businesses to retain VAT records for at least 5 years. Odoo ERP securely stores: Invoices Bills Credit notes VAT reports Transaction history This creates a clear audit trail , making VAT audits stress-free and transparent. 6. Handling Multiple VAT Scenarios Odoo supports different VAT scenarios, including: Standard-rated supplies Zero-rated supplies Exempt transactions Imports and reverse charge mechanisms Decision Intelligent customizes Odoo to ensure your VAT setup reflects your exact business operations. Why UAE Businesses Choose Decision Intelligent for Odoo VAT Setup At Decision Intelligent Software Trading L.L.C , we go beyond basic ERP implementation. We offer:  ✅ UAE VAT-compliant Odoo configuration  ✅ Customized tax rules based on your industry  ✅ VAT reporting optimization  ✅ User training for finance teams  ✅ Ongoing support & compliance guidance Our consultants ensure your ERP system works with your business , not against it. Industries That Benefit Most from Odoo VAT Automation Odoo VAT features are especially valuable for: Trading companies Retail & eCommerce businesses Manufacturing firms Service-based companies Restaurants & hospitality Real estate & contracting companies Each industry has unique VAT requirements - and Odoo adapts accordingly. Common Mistakes Avoided with Odoo ERP By using Odoo ERP, businesses avoid:  ❌ Incorrect VAT calculations  ❌ Missing VAT details on invoices  ❌ Inconsistent reporting  ❌ Manual spreadsheet errors  ❌ Late or inaccurate VAT filings Automation significantly reduces compliance risk. VAT compliance doesn't have to be complicated. With Odoo ERP , UAE businesses can automate VAT calculations, generate compliant invoices, and prepare accurate VAT returns effortlessly. At Decision Intelligent Software Trading L.L.C , we help businesses implement VAT-ready Odoo ERP solutions that save time, reduce risk, and support sustainable growth. Ready to Simplify Your VAT Filing? 👉 Book a free Odoo consultation with Decision Intelligent 📩 info@decisionintelligent.com 🌐 decisionintelligent.com 👉 Call/Whatsapp: +971505169693 / +971585703015 Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse DECISION INTELLIGENT Follow We empower organizations across industries to harness the power of artificial intelligence and make informed, data-backed decisions that drive success. Location Dubai, United Arab Emirates Joined Nov 18, 2025 More from DECISION INTELLIGENT UAE VAT & Corporate Tax Compliance with Odoo ERP | Decision Intelligent # ai # decisionintelligent # odooerp # uaetax Cloud vs On-Prem ERP: What Decision Intelligent Recommends for SMEs # decisionintelligent # odooerp # ai # sme Odoo for Real Estate: How Decision Intelligent Helps Agencies Automate Operations # decisionintelligent # ai # odoo # realestate 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://stripe.com/zh-us/privacy
与 Stripe 销售人员聊天 Privacy Policy Stripe logo 法律 Stripe Privacy Policy & Privacy Center 隐私政策 Cookie 政策 数据隐私框架 服务提供商列表 数据处理协议 Supplier Data Processing Agreement Stripe 隐私中心 Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the European Commis
2026-01-13T08:49:19
https://szabgab.com/courses/git
Version Control with Git Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Version Control with Git Objectives Daily work as developer (checkout/add/commit/diff/etc...) Setup branches and merge them together Be able to create a local Git repository Audience Teams of software developers and programmers who need to work cooperatively on projects. Course Format Duration of the course is typically 8 academic hours. Usually 1 full day or two half-days. The course includes approximately 40% hands-on lab work. Prerequisites An understanding of the source code-management issues in team-based software development. Syllabus About Git The concepts of Git Basic concepts of Git Git Internals Copy-Modify-Merge vs Lock-Modify-Unlock Why use Git? Who uses Git? The basics Installing Git on Windows, Linux and Mac Setting up your profile (configuring git) Creating a local repository Daily use of Git status add (Adding files, directories to staging) rm (Removing files, directories) mv (Renaming files and directories) checkout commit (checking in changes) diff (Viewing changes) log (Viewing the log, Finding out what you, and others did) Making a change Working with branches Branching Merging Conflict resolution Tagging Working with a remote repository Cloning a remote repository pull push Peer networks Star networks Other Ignoring generated and other unwanted files Using gitk to explore history Stashing files while doing something else Finding out who did what (browsing log messages) reset (Removing commits from the repository) revert (Examining and reverting changes) Binary files Getting snapshots (dates and tagging) Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://szabgab.com/perl
Perl Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Perl Maintenance and refactoring If your company still use Perl you might need help maintaining the code-base. This might involve moving to a newer version of the operating system or moving to a newer version of Perl. You will certainly want to make sure your code still works even after this move and you will probably want to make sure that the next time you need to move it will be less painful. In some case it might involve fixing bugs and even adding new features to the code. Sometimes you "just" want to introduce "best practices" to your Perl development team. Given that I have extensive experience with Perl, both with old and new code-bases I can provide such service. Contact me Moving to other language You might be at a company that feels it is time to move to some other language. You might want to move to Python because it is a lot more popular and thus it will be easier to find well-maintained 3rd party modules and to find developers, or you might want to move to Rust because you also want your code to be much faster. Given my deep understanding of all 3 languages I can help your company with this process. I can help converting the code-base either gradually or in one big development effort. We can discuss which one fits your needs more. Contact me Perl courses I have a number of ready-made Perl courses and I can also customize a course for your needs. Beginner Perl programming . Advanced Perl Testing Perl code for Perl developers . Articles and Videos about Perl I maintain the Perl Maven site that contains articles, slides, and videos about Perl in English. Community I am the editor of the Perl Weekly newsletter I organize online Perl-related events © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://szabgab.com/courses/rust-rocket
Web Application development with Rust Rocket Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Web Application development with Rust Rocket Objectives To be able to develop web APIs in Rust using the Rocket framework. To be able to develop the backend of a web application with plain HTML and CSS front-end. Audience This course is suitable for anyone with basic background in Rust and in web application development (backend). Course Format Duration of the course is 24 academic hours. (3 full days). The course includes approximately 40% hands on lab work. Prerequisites Basic programming background in either a high-level language such as C, Java or a scripting language such as Shell, VBSscript, Javascript, Perl, PHP or Ruby Syllabus Rust Rocket Installing Rust Hello World with Rust Rocket Routes GET and POST requests Path parameters Handling 404 not found Redirections Input validation Guards Configuring the web application Session management Cookies Testing Building API Rocket Returning JSON Accepting JSON The Tera template system Single value Conditionals Loops Showing a list Showing a HashMap Showing a Struct Including other templates Using a layout Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://open.forem.com/subforems#main-content
Subforems - Open Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Open Forem Close Subforems DEV Community A space to discuss and keep up software development and manage your software career Follow Future News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Follow Open Forem A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Follow Gamers Forem An inclusive community for gaming enthusiasts Follow Music Forem From composing and gigging to gear, hot music takes, and everything in between. Follow Vibe Coding Forem Discussing AI software development, and showing off what we're building. Follow Popcorn Movies and TV Movie and TV enthusiasm, criticism and everything in-between. Follow DUMB DEV Community Memes and software development shitposting Follow Design Community Web design, graphic design and everything in-between Follow Security Forem Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Follow Golf Forem A community of golfers and golfing enthusiasts Follow Crypto Forem A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Follow Parenting A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Follow Forem Core Discussing the core forem open source software project — features, bugs, performance, self-hosting. Follow Maker Forem A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. Follow HMPL.js Forem For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Follow 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Open Forem — A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Open Forem © 2016 - 2026. Where all the other conversations belong Log in Create account
2026-01-13T08:49:19
https://www.git-tower.com/blog/posts/all
All Posts | Tower Blog You are using an outdated browser. Please upgrade your browser to improve your experience. Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Blog Archive A complete list of all our published blog posts Search the Blog All Posts Tower 15 for Mac — Automatic Branch Management Tower 15 for Mac introduces Automatic Branch Management and better branch visualization to help you declutter your repository! Read more → Tower 10 for Windows — Introducing Graphite Support Tower 10 introduces Graphite support! With this update, you can now manage your stacked branches and create Pull Requests without ever leaving our Git client. Read more → Version Control in the Age of AI: The Complete Guide Learn how to effectively use Git and version control when working alongside AI coding assistants like Claude Code and Gemini. Read more → 7 CLI Tools Every Developer Should Install Here are 7 must-have command-line tools, including Btop for resource monitoring, FD for lightning-fast file finding, and ASDF for version management. Read more → Tower's Guide to Hacktoberfest Hacktoberfest is here! Learn how you can contribute to open-source projects with our comprehensive guide, covering all the essential aspects of Git and GitHub. Read more → git-flow-next: The Next Iteration of Advanced Git Workflows Today, we're excited to introduce git-flow-next, a brand-new, open-source command-line tool built to reimagine the popular git-flow model. Read more → Tower 14 for Mac — Custom Git Workflows Tower 14 for Mac is here! This update allows you to create custom Git workflows, enabling you to define the exact workflow that meets your project's needs. Read more → Git Branching Explained: Base, Topic, and Parent Branches Understand Git's core branching concepts: Base, Topic, and Parent branches. This guide explains why they're essential for any development team. Read more → Tower 9.1 for Windows — Gitea and Gitmoji Support Tower 9.1 for Windows is here, bringing full Gitea integration! Manage your private repositories and pull requests directly from your favorite Git client. This release also introduces support for Gitmoji. Read more → How to Install Gitea (with SQLite3 and HTTPS!) on a VPS Ever wanted full control over your Git repositories? Learn how to self-host Gitea on your own VPS with this step-by-step guide, including secure HTTPS setup! Read more → Tower 13 for Mac — Introducing Graphite Support Tower 13 introduces Graphite support! With this update, you can now manage your stacked branches and create Pull Requests without ever leaving our Git client. Read more → Meet Graphite – The AI Developer Productivity Platform Tired of endless code review cycles? Find out how Graphite's AI-powered platform and stacked PRs are helping teams like Asana and Vercel ship code faster. Read more → Celebrating 20 Years of Git: 20 Interesting Facts From its Creator Git turns 20! Celebrate two decades of Git with 20 surprising and insightful facts about the early days directly from its creator, Linus Torvalds. Read more → How to Exclude Commits from Git Blame Ever wished Git Blame could ignore those pesky formatting changes/refactors? Learn how to exclude commits and keep your blame history clean and relevant. Read more → Tower 9.0 for Windows — Git Worktree Support Tower 9.0 for Windows now includes support for Worktrees! You can easily create, check out, and manage Worktrees right in your favorite Git client! 🫡 Read more → The Honest Git Glossary The Honest Git Glossary – a fun (and honest!) way to learn the most popular Git commands. Read more → Tower 12.5 for Mac — Hello Worktrees! 👋 Tower 12.5 for Mac introduces support for Worktrees! You can now create, check out, and manage Worktrees directly in your favorite Git client! 🫡 Read more → Markdown's Big Brother: Say Hello to AsciiDoc Learn how AsciiDoc combines simplicity with advanced features. Create documentation that stands out, saves time, and ensures clarity. Read more → Tower 8.0 for Windows — Stacked Branches The latest version of Tower for Windows introduces a new “Restack Branch” feature, a new “Sync” action, and several visual enhancements to the user interface. Read more → Understanding the Trunk-Based Development Workflow In this post, we'll explore what Trunk-based Development is, what makes it unique, its advantages, and, more importantly, who it is intended for. Read more → Bruno — An API Client Using Git to Fight for Developer Experience Have you ever considered using Git to manage your API Collections? We asked the Bruno team to share the benefits of using version control for API collaboration. Read more → How Typefully Uses Tower to Conquer Social Media Publishing We had the pleasure of chatting with Francesco Di Lorenzo, co-creator of Typefully and Mailbrew, about his journey with Tower and how he uses Git to ship amazing products to the world. Read more → Tuple - a Developer’s Guide to Remote Collaboration What is Pair Programming? What benefits does it offer? What challenges arise when pairing remotely? Find the answers in this blog post, courtesy of Tuple. Read more → Mastering Raycast (for Developers!) Raycast can be an incredible productivity tool for everyone — especially developers! Here is the complete guide to help you make the most of this fantastic app! Read more → Mastering Tower (Windows Edition) Become a Tower for Windows ninja with our ultimate guide! Get the most out of your favorite Git client – from navigation tips to workflow hacks, you'll find everything you need right here! Read more → Beyond “Commit” and “Push”: 5 Advanced Git Features You Should Know Say hello to Git Bisect, Git Rerere, Git Attributes, Git Notes, and Git Worktree — 5 advanced, lesser-known features that are worth exploring. Read more → Best Git Client – For Mac and Windows These are the best Git clients for Mac and Windows in the market. We will list the top free and paid Git GUIs, as well as our personal recommendations. Read more → How Brett Terpstra Uses Tower for Next-Level Productivity We had the pleasure of chatting with Brett Terpstra about his journey with Version Control, his favorite Tower features, and how he uses Git for both his personal projects and at Oracle. Read more → Tower 12 for Mac — Introducing Stacked Branches Tower 12 for Mac now offers Stacked Branches and Restacking support, thanks to the new "Branch Dependency" capabilities. Find out what's new in this release. Read more → Understanding the Stacked Pull Requests Workflow In this post, let's explore the “Stacked Pull Requests” workflow: who it is intended for, its benefits, and the challenges associated with this approach. Read more → Tower 11 for Mac — Say Goodbye to Commit Chaos! Tower 11 has arrived, with Commit Templates stealing the spotlight! Now, you can easily manage and insert your own templates to write better commit messages. Read more → Inside Quick Actions Quick Actions is Tower's version of the Command Palette. Here is everything you need to know about this popular feature, including its origin and capabilities! Read more → Tower 6.0 for Windows — Branch Comparison The latest version of Tower for Windows introduces branch comparison for easier code reviews, partial stashing, and many improvements under the hood. Read more → More Expressive Commits with Gitmoji ☺️ Gitmoji can make your commit messages more expressive (and colorful!) for everyone. Learn how to set it up and start adding a splash of color to your Git history! ☺️ Read more → How Framer Manages Their Codebase with Tower We sat down with Jonas Treub and Niels van Hoorn from the Framer team to understand how Tower assists them in version controlling the Framer codebase, so that their users can build stunning websites. Read more → CI/CD (Continuous Integration/Continuous Delivery) Best Practices and Trends Reliable software development is crucial for businesses. Here are the best practices for Continuous Integration/Continuous Delivery, courtesy of Facundo from Deploybot. Read more → Tower 5.2 for Windows — SSH Signing With our latest Tower for Windows update, you can easily manage SSH keys and effortlessly sign/verify commits or tags directly from within the Tower application. Read more → Tower 10.2 for Mac — A New Onboarding Experience Our latest update brings many quality-of-life improvements across the board — for newcomers and advanced Git users alike. Read more → Investigating Git History In this article, we will cover how to determine who performed what action and when using both command-line Git and our graphical Git client, Tower. Read more → How To Set Up Apache and PHP from Homebrew on macOS Learn how to set up a local development environment with Apache and PHP installed from Homebrew running natively on macOS. Read more → 7 Git Mistakes a Developer Should Avoid In this post, we will explore common Git bad practices that every developer should be aware of and, more importantly, avoid. Here's what you shouldn't do! Read more → Mastering SEO for Developers The complete guide for developers looking to optimize their websites for search engines. Learn all the advanced technical SEO techniques to boost your site's visibility! Read more → Tower 10 for Mac — A Colorful Revolution 🎨 Tower 10 for Mac is here! This big milestone update is also a colorful one, as it brings Syntax Coloring to your diffs and file views! Get your favorite color scheme ready 🎨 Read more → Coming Up on the Roadmap (2023) What's on Tower's roadmap? Let's peek into the crystal ball and see what's in store for both the Mac and Windows versions! Read more → Tower 5 for Windows — An Upgraded Committing Experience Tower 5 for Windows is here! Get ready to take your commit composing to the next level with this pack of exciting new features. Read more → Setting Up SSH for Commit Signing In this tutorial, you will learn how to configure SSH for commit signing. We will generate SSH keys, configure Git and GitHub, and effectively sign and verify commits using SSH. Read more → Tower 9.4 for Mac — SSH Signing Our latest update allows you to conveniently manage SSH keys and effortlessly sign and verify commits or tags right from within Tower. Read more → Tower 9.3 for Mac — A New Merge Wizard If you're tired of struggling with merge conflicts, we've got good news! Tower 9.3 for Mac features a new Merge Wizard that makes conflict resolution a breeze. Read more → Git and GitHub for Designers Git isn't just for developers. Anyone who seeks a sane way to track changes of files and collaborate with their teams efficiently can take advantage of Git's enormous power — including Designers! Read more → Integrating 1Password SSH with Git (and Tower!) In this quick tutorial, you will learn how to set up 1Password's new SSH agent to perform signed Git operations in Tower! Read more → How to Improve Performance in Git: The Complete Guide Is your Git monorepo getting slower and slower? Have a look at all the performance improvements that you can make to speed up your Git repository. Read more → Tower 4.2 for Windows — More Control Over Diffs Tower 4.2 for Windows is an update you won't want to miss! Upgrade now for even more control over diffs. Read more → Mastering macOS We asked around the office and put together a comprehensive list of the best macOS tips and tricks worth knowing. Read more → How to Write the Perfect Commit Message Good commit messages can be very helpful when it's time to navigate through the repository's history. Here's how you can create well-crafted commits with meaningful commit messages! Read more → Setting Up GPG on Windows (The Easy Way) In this quick tutorial, you will learn how to easily install and set up GPG on Windows so that you can sign commits and tags in Git. Read more → Tower 4 for Windows — Hello Undo! Tower 4 for Windows is here — now you can UNDO a vast amount of actions (such as commits, merges, and file deletions) by simply pressing CTRL+Z. Read more → 10 Useful Git Commands You Should Know Git is such a powerful tool that there's always more to know. Today, we bring you 10 Git commands worth learning and show you how easy it is to perform them in Tower! Read more → Mastering Google (for Developers) We all use search engines multiple times a day, so why not figure out how to get the most out of Google? Here are all the best tips and tricks... for developers! Read more → Tower 9 — A Brand-New Merge UI Our latest release brings many improvements around merging, as well as some other heavily-requested features. Here's everything you should know about the new Tower 9 for Mac! Read more → Getting Started with Git Hooks and Husky In this fun tutorial, let's see how Git hooks work by creating 5 different hooks with Husky, a popular JavaScript package. Read more → How We Built an Awesome Git Client for Windows An in-depth look at the development of the big Tower 3 for Windows update. Read more → Better File Comparison with Kaleidoscope A dedicated Diff Tool can be very valuable for any file comparison task. Let's explore Kaleidoscope's powerful features and see how we can use it together with Tower. Read more → Working with Feature Branches How to successfully work with Feature Branches: a primer on understanding the most popular branching workflow, identifying base branches, and performing effortless branch comparisons. Read more → Coming Up on the Roadmap (2022) What's on Tower's roadmap? Lots of new features. Here's what we have planned for both the Mac and Windows versions! Read more → The Three Phases of Software Development Discover the three phases of software development, as depicted through 30 commit messages encountered by our community! Read more → Mastering Tower (Mac Edition) Do you want to become a certified Tower for Mac sensei? Master your favorite Git client with our ultimate guide! Read more → Mac Dev Survey 2022 Results The 2022 Mac Dev Survey results are in! Learn which technologies, tools and resources developers on the Mac prefer! Read more → Setting Up Git on Windows Subsystem for Linux A guide on how to install Windows Subsystem for Linux and get up and running with Git! Read more → How to Clean Up Fully Merged Feature Branches Find out how you can delete fully merged branches from a Git repository with confidence — both with the Command Line and in Tower! Read more → Tower Stands with Ukraine 🇺🇦 We are united against violence. We will be donating all revenue from these items to Save the Children, an organization that supports children from Ukraine and other affected regions. Read more → Git and GitHub for Marketing Teams Git isn't just for developers. Anyone can benefit from its enormous power, and that includes Marketing professionals! Read more → The Great Mac Developer Survey Are you working as a web or software developer on the Mac? Participate in our short survey for a chance to win over 100 awesome prizes! Read more → GPG Support in Tower 3.1 for Windows Tower 3.1 for Windows brings GPG support. Now you can verify the authenticity of every commit or tag directly in Tower! Read more → Tower 8 - Next-Level Branching Get ready to work more productively with Branches with the new Tower 8 for Mac. Read more → The CTO Journey: Ryan Donovan of Hootsuite Ryan Donovan, CTO of Hootsuite, on the importance of communication, leadership, and rapid onboarding. Read more → The CTO Journey: Ryan Roemer of Formidable Ryan Roemer, CTO of Formidable, on studying law and CS, leading a consultancy business, and the importance of writing skills at work! Read more → Getting Started with Git Bash A guide on how to install Git Bash and get up and running with Git! Read more → The CTO Journey: Mark Porter of MongoDB Mark Porter, CTO of MongoDB, on falling in love with tech, transitioning to a manager, and onboarding new developers! Read more → Tower 3 for Windows - Our Best Version Yet Tower 3 for Windows is here! Read more → 10% More Productive: Mastering the Terminal The Command Line: love it or hate it, it's one of the most important tools for developers. This guide covers everything you need to know to get comfortable with the terminal. Read more → 10% More Productive: Mastering Sublime Text Are you a Sublime Text user? Here is our collection of tips to become more productive with this versatile text editor. Have a look at the most effective keyboard shortcuts to master, the best themes and packages, and some settings worth tweaking! Read more → 10% More Productive: Mastering the Keyboard From learning new keyboard shortcuts (or developing your own), to improving typing speed or setting up a hyper key, it's all here. This is our guide on how to become more productive with the keyboard. Read more → Tower’s Favorite macOS Apps for Front-end Web Development Curious about the apps we use at the office to keep our websites running smoothly? Here are some of our favorites for Front-end Web Development work! Read more → Pitch — Developing a Collaborative Presentation Tool for Modern Teams Pitch is a collaborative presentation tool for modern teams. Our interview with Adam Renklint covers Clojure, the benefits of choosing the right technology, and more. Read more → Force Push in Git - Everything You Need to Know In this article, we will answer all the most popular questions surrounding the powerful Force Push command. Read more → Tower 7 - The New Commit Experience Say hello to Tower 7 for Mac and its powerful new commit composing experience. Read more → Finding The Best Text Editor... For You! How do you find the right text editor for your needs? Our article compares popular alternatives and describes what to look for. Read more → Sketch — Developing an Industry-Standard Design App for the Mac The simplicity and focus of Sketch made it an industry standard and set an example for other apps. In this interview, Alexander Repty from the Sketch team talks about development using native Apple frameworks. Read more → Coming Up on the Roadmap (2021 Edition) In this post, we take a look at what's coming up in Tower. Read about features in development, including improvements to commit composing, history views, branch management, and more! Read more → Tower 3 for Windows Is Coming! The new Tower for Windows is coming, with a complete visual overhaul, a beautiful dark mode, new features, and a significant performance boost. Join the beta and discover your favourite Git client for Windows in a whole new light! Read more → Pixelmator — How A True Mac App Classic Keeps Evolving Using Native Frameworks How does a classic Mac app keep evolving, while also branching out with apps for iOS and iPadOS? Simonas Bastys from the Pixelmator team shares his experience with native Apple development. Read more → Mac Dev Survey 2021 Results The 2021 Mac Dev Survey results are in! Learn which technologies, tools and resources developers on the Mac prefer! Read more → VS Code — The Story and Technology Behind One of the World's Most Popular Desktop Apps for Developers How do you develop an editor based on web technologies and used by millions of people? Benjamin Pasero from the VS Code team shares his insights on Electron development. Read more → Tower 6.4 - Publishing a Local Repository Tower now lets you publish a local repository on a service without ever leaving the app. Read more → Tower — Developing a Native Git Client for macOS and Windows Learn about how the team behind Tower develops their graphical Git client natively for both macOS and Windows! This conversation starts off our new interview series on developing for the desktop. Read more → Git Analytics by Waydev This guest post from Waydev describes Git analytics and the features of the Waydev service. Read more → We're Hiring a Content Marketing Developer The team behind the Tower Git client is looking for someone to work on content creation, growth marketing, and website development. Read more → Tower 10 Year Anniversary As Tower celebrates its 10th birthday, we share some facts and numbers from the journey so far. Read more → Tower 6.3 - Force Push with Lease Our brand-new Tower for Mac update introduces another highly-requested feature: Force Push with Lease. Read more → How to Make Debugging Easier with Rollbar Discover how Rollbar can help you fix errors faster, with intelligent grouping, relevant context and more. Read more → Tower 6 - The Big Sur Update Say hello to Tower 6: redesigned for Big Sur - with new icons, new toolbar, new sidebar, and more. Read more → App Design on Big Sur Discover the sweeping design changes made by Apple in macOS Big Sur, and how we applied these to the Tower Git client. Read more → Git Cheat Sheet Download our free cheat sheet for Git. Because even with a GUI application at hand, there are times when you resort to the command line… and it's impossible to memorize all the important Git commands! Read more → Tools and Tasks in Visual Studio Code In the second article in a two-part series on VS Code, we look at VS Code's support for tooling, tasks and workspaces. Read more → New Releases for Tower on macOS and Windows With already 4 new releases over the summer, it's time to take a closer look at how they will benefit you and make Tower even better. Read more → 7 Tips to be More Productive with »Xcode 12« It's important to know an application inside out when you spend a lot of time in it. And for most iOS & Mac developers, Xcode is the application they spend virtually all of their time in. In this article, we've compiled 7 tips that help you become more productive with Xcode 12. Read more → An Illustrated History of macOS Step back in time and see how macOS has changed over the years! From the first public beta in 2000 to the release of macOS Ventura, here's our illustrated history of macOS. Read more → Efficient Editing in Visual Studio Code In the first article in a two-part series on VS Code, we look at how to edit and navigate your code efficiently. Read more → Using Git with WordPress — Part 4 In the last article in our series on using version control with WordPress, we look at two plugins that help us handle the database in our workflow. Read more → 8 Reasons for Switching to Git When it comes to version control, everybody is talking about Git these days. But of course, some chatter on the street is not enough to justify switching to Git. Here are some hard (and soft) facts that make Git great. Read more → Command Line Cheat Sheet For many, the command line belongs to long gone days: when computers were controlled by typing mystical commands into a black window; when the mouse possessed no power. But for many use cases, the command line is still absolutely indispensable! Our new cheat sheet is here to help all 'command line newbies': it not only features the most important commands but also a few tips & tricks that make working with the CLI a lot easier. Read more → Diff Tools on macOS A diff tool comes in handy to understand the changes that move the project forward. It makes changes visible and helps you understand them. Here is an overview of the best diff tools on the Mac. Read more → Diff Tools on Windows Understanding how a software project evolves is hard. However, a good Diff tool can make this much easier. To help you pick the right tool, we've compiled a short list of the best "Diff Tools" on Windows. Read more → Git for Subversion Users - A Cheat Sheet Sometimes, prior knowledge can be a disadvantage. For example when you're starting with Git - while trying to approach it like a new Subversion. You'll have to let go of a couple of old concepts before you can understand the new ones. Our cheat sheet helps Subversion users get started with Git. You can download it for free. Read more → 14 Git Hosting Services Compared Today, there are tons of services for hosting your Git repositories. Although having such a diversity to choose from is definitely a good thing, it also makes it hard to find the right one for your specific needs. Therefore, we've compiled a list of 14 services as a starting point for your own research. Read more → On-Premise Source Code Management - 7 Git Hosting Platforms Compared Today, every company is a software company. In any industry, code has become one of the most business-critical assets. As a result, storing, securing and collaborating around code has become an important challenge for enterprises large and small. Read more → 17 Ways to Undo Mistakes with Git Accidentally deleting files... Making typos in your commit messages... Committing on the wrong branch... a lot of mistakes happen when humans write code! But do not despair: Git offers countless tools to undo and recover from small and big mishaps. Here are 17 videos that help you learn how to save your neck! Read more → 5 Tips to be More Productive with Dash With today's wealth of frameworks, libraries and platforms, I don't know a programmer who doesn't have to look up things constantly . "Dash", a great little app for Mac OS, solves this problem by providing fast and easy access to over 200 API docs. Read on to learn how to get the most out of Dash! Read more → Understanding Rebase (And Merge) in Git This is an excerpt from our new ebook "Learn Version Control with Git". Read the full article in our free online book . Read more → Version Control Best Practices Today, version control should be part of every developer’s tool kit. Knowing the basic rules, however, makes it even more useful. We’ve compiled some best practices that help you get the most out of version control with Git. Read more → The Basic Workflow of Git When you're starting to use version control with Git, you first need to understand the 'big picture': What does a general workflow look like? Which steps are involved? What do they do? In our infographic, we provide a breakdown of a typical workflow with version control. Download it for free! Read more → Using Git with WordPress — Part 3 In the third article in our series on using version control with WordPress, we introduce the Composer package manager and use it to handle dependencies. Read more → Tower 5 for Mac is Here With version 5, we focused on making Tower’s diff viewer much more powerful - introducing some of the most requested features. Read more → Using Git with WordPress — Part 2 In the second article in our series on using version control with WordPress, we introduce an improved directory structure and use WordPress as a Git submodule. Read more → Using Git with WordPress — Part 1 In the first article in our new series on using version control with WordPress, we look at keeping a plugin or theme in Git. Read more → How We Built Undo Look behind the curtains of Tower development and learn how the undo feature — introduced in Tower 4.0 on the Mac — came to be. Read more → Win a Free Sticker Set Want to win one of our awesome sticker sets? Read more → Coming Up on the Roadmap (2020 Edition) In this post, we want to take a look at the future and give you a glimpse into what's coming up on our roadmap for Tower on Mac and Windows. Read more → 4 New Updates for Tower on Mac and Windows Over the course of just 4 weeks, we've released 4 new updates: versions 4.4 and 4.5 for Tower on Mac, as well as versions 2.5 and 2.6 for Tower on Windows. Let’s take a look at what these new versions have in store for you! Read more → How We Work Having made the switch to fully remote in 2015, the distributed team at Tower shares some insights into remote work culture, challenges and benefits. Read more → Tower 4.3 - Partial Stashing and First Parent Filtering The latest Tower for Mac update has some nice new features for you in stock. With version 4.3 we are introducing Partial Stashing and First Parent Filtering. Read more → What's New in Tower for Mac With Tower 4 for Mac being out the door, you might be wondering what you've missed since we shipped version 3. The answer: a lot! Read more → Undoing Mistakes with CMD+Z in Tower 4 There's a little keyboard shortcut that makes life a lot easier - and now it's also available in Tower for Mac: CMD + Z. In our latest update, version 4.0, Tower allows you to undo many Git actions, simply by pressing CMD+Z. Read more → Become a Better Programmer: 5 Essential Methods at a Glance Developing software in a professional way is more than just the simple act of 'coding'. To grow as a programmer, you'll have to master other practices as well. We've compiled an overview of 5 tools and methods that are timeless classics by now. Read more → 9 Reasons Why Code Breaks Sometimes, a simple typo can really be the root of all evil. But more often, the reason why code breaks is more complex. And yet, it can be avoided. Read more → The Design Manifesto The Design Manifesto keeps you focused on some of the things design is all about. Find it in wallpaper or poster form here! Read more → Boosting Developer Productivity Through Linters Receive instant feedback and catch problems early by checking your code automatically using linters. Read more → A Decision Tree for Undoing Things with Git You cannot avoid mistakes - but you can learn to undo them! Check out our decision tree and let it help you find the right Git command to undo your specific disaster. Read more → Tech Animals Meet the Firefox, the Swift bird, the PHP elephant, and all their friends. Support a good cause and get your favorite Tech Animal as a T-shirt, poster, or mug. All profits go to charity! Read more → New in Tower: GPG Support GPG support has been on our wishlist for a while - and with version 3.5, it finally arrives in Tower for Mac. Read more → New Releases for Tower Mac and Windows We are excited to ship new releases for both Tower's Mac and Windows version today. The highlight: on both platforms Tower now offers User Profiles. Read more → Tower 3.3 - Up to 5x Faster for Large Repositories In our latest update of Tower for Mac, version 3.3, we focused on a very specific task: making Tower faster when working with very large Git repositories. Read more → First Aid Kit for Git Git is a wonderful safety net: it allows you to undo almost anything - but only if you know the right commands and tools! Download our free "First Aid Kit" and learn how to undo your mistakes easily. Read more → Dark Mode for Tower Turning to the "dark side" has never been more visually appealing - because Tower is now available in "Dark Mode"! Read more → The Startup Manifesto Working (and living) at a startup isn't always easy. Our Startup Manifesto supplies you with enough motivation and good advice to pursue your goals. Take a look and see for yourself. Read more → Image Diffing & Reflog in Tower The new Tower is less than a month old - and yet we're already shipping a great new feature: say hello to Image Diffing! Read more → Better than Ever: The New Tower Has Launched Today, after years of work, we are finally launching a brand new version of Tower! It’s packed with awesome new features like Pull Requests, Interactive Rebase, and our unique "Quick Actions". It reinvents many existing features like Search, File History, or Blame. And it takes your productivity to a whole new level! Read more → Now in Public Beta: The NEW Tower We’re happy to announce that we have another major new version of Tower coming up! The public release is still some time away, but we are starting a Public Beta program today. Read more → Tower in Public Beta: Here's What's New! If you're part of the Public Beta for the new Tower, let me start by saying thank you for being part of this journey. We're excited to show the next major version of our popular Git client to the world. In this post, I'd like to give you a short overview of what's new in Tower. Read more → Our Development Philosophy (2): Collaboration & Testing There are lots of books about programming languages and frameworks - but only few resources that deal with "softer" topics like testing and collaboration in a software project. Part 2 of our "Development Philosophy" talks about just that! Read more → git push coffee me What's the most important Git command? We can't say for sure, but here's our suggestion: "git push coffee me"... Read more → Our Development Philosophy (1): Architecture, Design Patterns and Programming Principles Contrary to popular belief, software development is not about mastering a programming language. The real art begins when application architecture, modularity, and good habits become more important than lines of code. Read more → A Big Update for Tower for Windows We're excited to launch Tower for Windows 1.2 - the free update brings a big boost to performance and adds another round of highly anticipated features. Read more → You might be a nerd if... Do you qualify for the title of 'Nerd'? We have compiled a couple of sure-fire signals that help you find out! Read more → Tips & Tricks for Tower - Part 4 In this fourth episode of our "Tips & Tricks" series, we've compiled 5 tips that help you become more productive with Tower. Let's go! Read more → When it's Time to Start Using Version Control Sometimes, life gives signals: it wants us to wash the dishes, plant a tree, or simply start using version control. Our (fun) infographic tells you when it's time for the latter. Read more → Tips & Tricks for Tower - Part 3 In our "Tips & Tricks" series, we'd like to teach you some tricks to become more productive with Tower. Here is episode #3! Read more → May the Fork Be with You If Jedi Knights have their own way of saying 'good luck', then why shouldn't software developers have theirs!? Today, we're proud to finally say: May the fork be with you! Read more → Tips & Tricks for Tower - Part 2 This is episode #2 in our "Tips & Tricks" series: 5 animated GIFs help you become more productive with Tower. Read more → An Illustrated History of iOS The iPhone was one of the most exciting new products of this millenia. But as amazing as the device may be, the real superstar is the software that drives it! Take a seat and enjoy our wonderful "Illustrated History of iOS". Read more → An Illustrated History of Microsoft Windows Our Illustrated History of Microsoft Windows takes you on a wonderful journey through time: from the first Windows 1.0 in 1985 to the world's most popular operating system that we now know. Enjoy the ride! Read more → Tips & Tricks for Tower - Part 1 In this first episode of our "Tips & Tricks" series, we've compiled 5 animated GIFs that help you become more productive with Tower. Let's go! Read more → Optimize Your Websites: Our new Guide is Here With our goal in mind to help you become a better developer, we're extremely happy to announce a brand-new, extensive and totally free tutorial & ebook for you! Read more → The Developer Manifesto Coding is an art. The Developer Manifesto pays homage to the art and profession of software development. Take a look and see for yourself. Read more → New Year, New Releases - for both Mac and Windows We’re excited to start the new year with new releases for Tower - both for Mac and Windows. New features, speed improvements, and much more. Read more → Xcode Cheat Sheet Xcode is a central tool for many of us. We're spending countless hours with it - and should therefore make sure we're getting the most out of it. That's why we created a nice cheat sheet with both essential keyboard shortcuts and valuable tips & tricks. Download the cheat sheet for free. Read more → Chuck Norris and the Mountain Lion What sounds like the beginning of a (very strange) fairy tale is in fact even cooler: we are launching our own " Tower Stuff Store " with some really awesome T-shirts and posters. And to celebrate the launch, all products are 20% off until December 4th! Read more → The best Git Client has Finally Arrived on Windows Today is the day: we are publicly launching version 1 of Tower for Windows ! It took us many years of hard work and over 216,000 lines of native C# code - but we're proud to release a beautiful, user-friendly, and powerful desktop client for Git. Read more → Tower for Windows - Public Beta has Started The waiting is over: Tower for Windows is in Public Beta! You can now download the app for free and take the new Tower for Windows for a spin. Read more → Easter Eggs Hunting Season You might have already heard the big news: Tower is coming to Windows! If you're interested, sign up for the beta to get early access! Today, however, we'd like to invite you to have some fun - and win awesome stuff ! Read more → Tower 2.5 is Here - 100 Improvements + New Features It's been more than two years since we've launched Tower 2. Since then we shipped 28 updates with improvements and new features. Today we’re thrilled to announce Tower 2.5 - our biggest update yet. Instead of shipping a paid upgrade, we decided to keep improving version 2 and are happy to announce that Tower 2.5 is a free update for existing users! Read more → The Average Developer on the Mac Over 7,000 web and software developers on the Mac took part in our survey - and helped us paint a picture of the "Average Developer on the Mac". Read more → Now in Beta: Tower for Windows is Coming After years of hard work, Tower is finally coming to Windows! We are now inviting beta testers from around the world to be amongst the first to test-drive this new Tower version. Read more → The Best Programming Books - A Post-Santa Giveaway I hope that Santa was generous with you! But just in case he wasn't: we're giving away three of our all-time favorite programming books! Read more → Posting to Twitter, Facebook & Co. from Within Your App Do you want your app to post to social media platforms? In this guest post, Emy Carlan shows you three ways to (programmatically) get your posts out into social media land. Read more → Git & Tower - A Safety Net for Your Projects To err is human. And not only this: in our digital industry with its high amount of complexity, it's also very common. With this in mind, it's vital to have tools that help you in case of a mistake. The Git version control system is one of those tools. Combined with Tower, you'll have a strong safety net for your projects. Read more → Sketch for Developers Sketch is a popular graphic design tool for Mac OS. But, unlike the 800-pound Photoshop-Gorilla, it's a design tool that proves valuable for developers, too. Read more → New Services in Tower 2.3 Cloning and creating repos with a single click - that's what Tower's "Services" manager allows to do. Since Tower 2.3, this is now also possible with your GitHub Enterprise, Bitbucket Server / Atlassian Stash, GitLab, and Perforce GitSwarm accounts! Read more → Working with CodeKit and Git Bryan Jones, the creator of CodeKit himself, speaks to us. About using CodeKit and Git side by side. And about his relationship to Git. Read more → Customer Support Tools: Zendesk vs. Desk vs. Freshdesk Managing customer feedback is critical to the success of any business. Thankfully, a couple of great tools have emerged to make this easier. In this post, we're comparing three of the most popular ones. Read more → 1 Product - 70 Repositories For almost 5 years, our team has been working exclusively on a single product: Tower, our Git desktop client. From the outside, one might think that a bare handful of Git repositories should be enough to run the show. In fact, however, we have over 70 Git repositories to manage. Here's an overview of what powers Tower and our team. Read more → The Tools That Run Tower We're a very small company. Actually, with only 8 people, the word "tiny" would be even more adequate. But no matter the size, if you're working together in a team and want to deliver high quality in your work, you need the help of professional tools. Here's an overview of the toolchain we use while making Tower. Read more → Learn Git - Submodules & Git-Flow With over 500,000 readers, our "learn" section is one of the most popular resources for learning Git and version control. To help you get even smarter, we've just added two new chapters - explaining "Submodules" and "git-flow". Read more → Being More Productive with LaunchBar The right tools can save you tons of time. One of these tools is LaunchBar. We'll show you how to be more productive as a developer with this little app. Read more → Yosemite App Design Checklist Designing apps for Mac OS 10.10 has its own rules. We've noted some of them in a handy little checklist when we recently updated Tower for Yosemite. Read more → App Design on Yosemite Mac OS X has hit the streets with its latest version - and so has Tower 2. We've invested countless hours to fully adapt to Yosemite's new design language. Read about what it takes to make an app feel really at home on Mac OS 10.10. Read more → Building Your Own Blog It's 2015 - and yet we just relaunched our blog with a custom, home-made solution. We're well aware of all the great blogging platforms and systems out there. But we had a couple of good reasons to go custom. Read more → Finding the Right Text Editor There's definitely no shortage of text editors on the Mac. Quite the contrary: today, developers can choose from more great tools than ever. With this abundance of tools, however, the question is not how to find a "good" tool per se - but how to find the right tool for your needs. Luckily, text editors differ vastly in features and philosophy. By determining what general type of tool you're looking for, your options suddenly become manageable. Read more → Understanding the Concept of Branches in Git This is an excerpt from our new ebook "Learn Version Control with Git". Read the full article in our free online book ! Read more → Marketing to Software Developers Robert Reiz learned the hard way about marketing to software developers. An experienced dev himself, he shares his insights from growing VersionEye , a notification system for software libraries. This is a guest post in our series "A Word of Advice". We're asking successful developers, designers, and entrepreneurs to share a bit from their experience. Read more → Switching from Subversion to Git This is an excerpt from our new ebook Learn Version Control with Git . Read the full article in our free online book . Read more → 5 Tips to be More Productive with BBEdit BBEdit is one of the most feature-rich text editors on the Mac. Over many years, it has been improved and refined to become the powerful application that it is today. In this post, we have compiled 5 tips that will help you get the most out of it. Read more → Leave a Task Unfinished Some mornings, it's really tough to get started. Dennis Reimann, famous for his iOctocat iOS app, has found a nice litte routine that kickstarts his day. This is a guest post in our series 'A Word of Advice', where we're asking successful developers, designers, and entrepreneurs to share a bit from their experience. Read more → Don't Do It Yourself Doing things yourself has many advantages: you can save money, you have everything under control, etc. But it also has some serious downsides. And over time, they clearly came to outweigh the advantages for us! Read more → Leave Your Office to Find Focus Did you ever find yourself in a place other than your office that enabled you to be extremely focused on one task? For many, getting work done still means being in the office and in the office only. Even though they have a hard time focusing and being productive. Often a simple change of scenery can help. Read more → You Only Get a Single Chance It's common knowledge, almost folk wisdom: 'Go to market as early as possible'. But while this advice is undoubtedly true, there's also a downside to it. Because some people will give your product only a single look. This is a new post in our series 'A Word of Advice'. Read more → A Simple Tweak for Making 'git rebase' Safe on OS X The introduction of the 'Auto-Save' and 'Versions' features in Mac OS 10.7 placed some hardship on Git users on the Mac: new system components don't always play nice with Git commands like 'git rebase'. However, with a simple customization, problems can be avoided. Read more → Why Subversion Scares Me For many users, version control has long been a scary thing. Because committing your code inevitably meant sharing it with the world - imposing all its bugs and flaws on your poor teammates. However, this is only true for centralized systems like Subversion. In a modern VCS like Git, you can let go of these fears. Read more → Don't Ask for Money - Ask for Advice Rasmus Makwarth gives some valuable advice on how to approach Business Angels and VCs. He has successfully raised money for his own company 'Opbeat', a collaborative web operations platform launching January 2014. This is a guest post in our new series 'A Word of Advice', where we're asking successful developers, designers, and entrepreneurs to share a bit from their experience. Read more → Increase your Productivity with 'Offline Hours' As a distributed team with two offices we rely on communication tools probably more than others. Besides email we mainly use Campfire as a team chat and Skype for video calls. However, this constant availability resulted in way too many distractions each day. If you had a question or problem, you could just jump online. Unlike when sharing an office, you wouldn't know if your colleague was busy or taking a break. Read more → Bootstrapping a Company (Part 2) - Lessons Learned In the first part of this series , we talked about why & when you might bootstrap a company - and when you shouldn't. Now, enough of theory: Here's what we've learned by bootstrapping our first product Tower from the ground up. Read more → Why Sync Will Always be a Tricky Task Martin Hering, well-known from apps like Instacast and Snowtape, shares some of his experience developing a syncing solution. This is a guest post in our new series 'A Word of Advice', where we're asking successful developers, designers, and entrepreneurs to share a bit from their experience. Read more → Git is Not a New Subversion Basing the decision to buy a car solely on horsepower can leave you with a tank in your garage. Not a very practical "car". Now don't get me wrong: Git has plenty of horsepower , but this should not be the reason to use it in favor of Subversion or any other VCS. Git isn't just a "new Subversion" that is faster, offline-capable, and somehow "cooler". The interesting parts about Git are where it's completely different from Subversion. These are the parts that change the way you develop software. Read more → Bootstrapping a Company (Part 1) - Why & When Building a company without investors comes with many advantages - like keeping all of the shares and remaining free in your decisions. And still: "bootstrapping" is not a silver bullet. In this first post of our two-part series, we'll explore why & when it makes sense to build a company without investors. Read more → 5 Tips to be More Productive with »Coda 2« Panic's Coda is one of the most popular text editors among people working with the web - especially since version 2. Besides the obvious features, Coda has lots of little helpers & shortcuts under the hood. In this article, we'll introduce you to 5 of them - to help you get the most out of the app. Read more → 5 Secret Features of Chocolat, the Popular Text Editor Chocolat is one of the best text editors on the Mac. It combines a very clean interface with a lot of powerful features under the hood. For many, it has become the legal (though unofficial) successor of the popular Textmate editor. We have compiled 5 tips that help you get the most out of Chocolat. Read more → 10 Steps to Becoming a Ridiculously Agile Developer As a developer, you can never be too agile! Our infographic shows you some (fun) ways to be as agile as possible. Read more → How to Plan and Scale a Beta (2/3) In the first part of our series on "How to Get Your First Users", we talked about the strategy to get the first users for your product. In this second part we will share our learnings on how to best plan and scale a beta up to tens of thousands of users. Read more → CSS3 Transforms by Example A new blog needs a little bit of glamour. And since we wanted to play around with CSS3 Transforms for quite a while, we relaunched our blog with a little gimmick: when hovering over the ticket-like items in our sidebar on the left, a little animation brings them to life. The animation is achieved with CSS3 3D Transform properties. In this article, we'll explain in a nutshell how the flip effect is achieved and will also provide a couple of useful web resources for creating 3D Transforms. Read more → How to Get Your First Users (1/3) In order to live, a product needs users. And you’ll rarely have the luxury of users “just being there”. You have to go out and find them - even before your product is on the market. In this first post of our three-part series, we'll talk about how we found early
2026-01-13T08:49:19
https://www.anthropic.com/events
Events \ Anthropic -------> Skip to main content Skip to footer Research Economic Futures Commitments Initiatives Transparency Responsible Scaling Policy Trust center Security and compliance Learn Learn Anthropic Academy Tutorials Use cases Engineering at Anthropic Developer docs Company About Careers Events News Try Claude Try Claude Try Claude Learn more about Claude Products Claude Claude Code Claude Developer Platform Pricing Contact sales Models Opus Sonnet Haiku Log in Claude.ai Claude Console EN This is some text inside of a div block. Log in to Claude Log in to Claude Log in to Claude Download app Download app Download app Research Economic Futures Commitments Initiatives Transparency Responsible Scaling Policy Trust center Security and compliance Learn Learn Anthropic Academy Tutorials Use cases Engineering at Anthropic Developer docs Company About Careers Events News Try Claude Try Claude Try Claude Learn more about Claude Products Claude Claude Code Claude Developer Platform Pricing Contact sales Models Opus Sonnet Haiku Log in Claude.ai Claude Console EN This is some text inside of a div block. Log in to Claude Log in to Claude Log in to Claude Download app Download app Download app Anthropic Events Discover Anthropic’s upcoming events, watch livestreams, and access recordings from past conferences and webinars. Browse all events Browse all events Browse all events Filter Clear filters Search Format All In-person Virtual Status All Upcoming Past Event type All Partner Startup Enterprise Anthropic Filtered Oops! Something went wrong while submitting the form. Events View List Grid Sort Date (Recent) Date (Oldest) Name (A-Z) Name (Z-A) Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Jan   12 - 12 ,  2026  -  11:30 am  -  12:30 pm   PST The Briefing: Healthcare and Life Sciences The Briefing will bring Anthropic leadership and customers to discuss the future of AI in healthcare and life sciences. Tune in on January 12 at 11:30AM PST to watch the livestream on this event page. Add to calendar The Briefing: Healthcare and Life Sciences Hear from Anthropic’s Chief Product Officer, Mike Krieger, and several of our product leaders on our latest product updates and how we're building a platform and products with developers top of mind. Tune in to hear our latest product news and hear more about our future roadmap. Live stream video will be available day-of event here: https://www.anthropic.com/events PST January 12, 2026 11:30 AM May 22, 2025 11:30 AM https://anthropic.com/events Google Apple Outlook Learn more Learn more Learn more The Briefing: Healthcare and Life Sciences ・ Virtual Event Enterprise Jan 12, 2026 Learn more about this event Enterprise Virtual past upcoming January 12, 2026 Anthropic at AWS re:Invent 2025 ・ The Venetian Enterprise Dec 1, 2025 Learn more about this event Enterprise In-person past upcoming December 1, 2025 Tokyo Builder Summit ・ Anthropic Oct 28, 2025 Learn more about this event Anthropic In-person past upcoming October 28, 2025 Builder Summit London ・ Anthropic Oct 1, 2025 Learn more about this event Anthropic In-person past upcoming October 1, 2025 AWS Summit NYC ・ Javits Convention Center Enterprise Jul 16, 2025 Learn more about this event Enterprise In-person past upcoming July 16, 2025 Claude for Financial Services ・ Town Hall by Skylight at Penn Station Enterprise Jul 15, 2025 Learn more about this event Enterprise Virtual past upcoming July 15, 2025 AWS Summit Tokyo ・ Makuhari Messe Enterprise Jun 25, 2025 Learn more about this event Enterprise In-person past upcoming June 25, 2025 AWS Summit DC ・ Walter E. Washington Convention Center Enterprise Jun 10, 2025 Learn more about this event Enterprise In-person past upcoming June 10, 2025 Code with Claude 2025 ・ The Midway SF Anthropic May 22, 2025 Learn more about this event Anthropic In-person past upcoming May 22, 2025 AWS Summit London ・ Excel London Enterprise Apr 30, 2025 Learn more about this event Enterprise In-person past upcoming April 30, 2025 Show more 1 / 2 We don’t have any events matching those criteria yet Try adjusting your search criteria or clearing some filters to see more events. Clear filters Webinars Sort Date (Recent) Date (Oldest) Name (A-Z) Name (Z-A) Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Building with Advanced Agent Capabilities for Claude on Vertex AI Jan 29, 2026 2026-01-29 Learn more about this webinar Claude Code for Service Delivery: Learn from Boris Cherny, Head of Claude Code Jan 27, 2026 2026-01-27 Learn more about this webinar Claude Code for Financial Services: Learn from Boris Cherny, Head of Claude Code Dec 18, 2025 2025-12-18 Learn more about this webinar Building with Claude Code: Inside Notion's AI development workflow Dec 11, 2025 2025-12-11 Learn more about this webinar Building with MCP and Claude Code: Sentry's 0 to 1 Story Dec 4, 2025 2025-12-04 Learn more about this webinar Building with Claude in Europe: Agent Fundamentals Nov 25, 2025 2025-11-25 Learn more about this webinar Scaling AI Agent Development at Netflix: Production Insights with Claude Sonnet 4.5 Nov 20, 2025 2025-11-20 Learn more about this webinar Agent Skills: Transform Claude from Assistant to Specialized Agent Nov 12, 2025 2025-11-12 Learn more about this webinar Show more 1 / 4 What’s new View more news Product Claude Opus 4.1 Learn more Learn more Product Claude for Financial Services Learn more Learn more Product Introducing the Max plan Learn more Learn more Get the developer newsletter Product updates, how-tos, community spotlights, and more. Delivered monthly to your inbox. Subscribe You’re subscribed Hmm, we couldn’t process that. Please try again. Please provide your email address if you’d like to receive our monthly developer newsletter. You can unsubscribe at any time. Want to help us build the future of safe AI? See open roles See open roles See open roles Footer © 2025 Anthropic PBC Products Claude Claude Code Claude in Chrome Claude in Excel Claude in Slack Skills Max plan Team plan Enterprise plan Download app Pricing Log in to Claude Models Opus Sonnet Haiku Solutions AI agents Code modernization Coding Customer support Education Financial services Government Healthcare Life sciences Nonprofits Claude Developer Platform Overview Developer docs Pricing Regional Compliance Amazon Bedrock Google Cloud’s Vertex AI Console login Learn Blog Claude partner network Connectors Courses Customer stories Engineering at Anthropic Events Powered by Claude Service partners Startups program Tutorials Use cases Company Anthropic Careers Economic Futures Research News Responsible Scaling Policy Security and compliance Transparency Help and security Availability Status Support center Terms and policies Privacy choices Cookie Settings We use cookies to deliver and improve our services, analyze site usage, and if you agree, to customize or personalize your experience and market our services to you. You can read our Cookie Policy here . Customize cookie settings Reject all cookies Accept all cookies Necessary Enables security and basic functionality. Required Analytics Enables tracking of site performance. Off Marketing Enables ads personalization and tracking. Off Save preferences Privacy policy Consumer health data privacy policy Responsible disclosure policy Terms of service: Commercial Terms of service: Consumer Usage policy © 2024 Anthropic PBC
2026-01-13T08:49:19
https://szabgab.com/courses/rust
Rust Programming Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Rust Programming Objectives To be able to write programs in Rust. To master the rich set of Rust libraries (crates). Audience This is a beginner level course suitable for anyone wanting to use Rust for developing libraries (crates) or applications. Course Format Duration of the course is 42 academic hours. Prerequisites Experienced programmers with good programming background in a language such as C, C++, Java, Go, Perl, Python, PHP, or Ruby Syllabus Rust Installing Rust Why use Rust? Configuring IDE or editor Cargo - the package and dependency manager of Rust Hello World Primitives - basic (scalar) types in Rust Inferred types Numbers, characters, strings String slices Variables, mutability Scope of variables Control flow (if, for, loop) They type system of Rust Error handling Special types: Option, Result Pattern matching (match, Ok, Err, Some, None) Compound types (Vectors, Hashes, Structs, Tuples, etc.) Vectors Structs Enums Functions Creating libraries in Rust Generics and Traits Collections Variable lifetime Smart pointers Dependency management Backward compatibility Distributing executables for multiple platforms (CI/CD, cross compilation) Regular Expressions in Rust The regex flavor of Rust Matching strings Capturing the match Matching repetitions Replacing strings Compiling regular expressions only once Reusable Rust library Use a Rust crate from Python Use a Rust crate from C Relevant Computer Science topics Data embedded in the source code What is the Stack, Heap Pointers Memory management, memory safety Manual memory management with allocation and freeing Reference counting Garbage collection Compiled vs. Interpreted languages Statically type vs. dynamically typed languages Loosely typed vs strongly typed Understanding memory safety, ownership and borrowing What is Ownership? How do we pass ownership References and Borrowing when passing parameters to functions The Slice type Lifetimes Functional programming in Rust Iterators Closures Function pointers Crates Module system Creating an executable (binary) crate Creating a library crate Packaging crates Distributing crates One crate per repo Multiple crates per repo (monorepo) Fearless Concurrency with threading Run code simultaneously Passing data back-and-force between threads Sharing data between threads Avoiding dead-locks and other nastiness CLI - Command line applications in Rust Using ARGS for simple programs Introduction to Clap, the Command Line Argument Parser of Rust Positional arguments Named arguments Required vs optional arguments Exclusive arguments Providing help Handling well-known file formats JSON YAML TOML INI CSV Testing your code Writing unit tests Writing integration tests Controlling how test are run Optional topics Building API in Rust The liquid Templating system Concurrency with async programming Macros - A few simple examples with declarative macros Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://szabgab.com/courses/python-programming
Python Programming Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Python Programming Objectives To be able to write programs in Python. To master the rich set of Python libraries and modules. Understand procedural control flow in Python Use Object Oriented programming techniques Audience This is a beginner course suitable for anyone wanting to use Python for developing applications, writing test for QA or using it for system administration. Course Format Duration of the course is 32-40 academic hours. (Usually 4-5 days). The course includes approximately 40% hands on lab work. In the longer version we allocate more time for exercises and have more time for individual help. The course is given in Python 3 Prerequisites Basic programming background in a programming language such as C, Java, Javascript, Perl, PHP or Ruby, just to name a few. Experience with a text editor like emacs, vi, pico or notepad. Understanding of files and directories. Syllabus Introduction to Python Installing Python Where and why to use Python Using the Python interactive interpreter Documentation and how to get help? Indentation Scalar types and operators Strings Numbers Split String slices Immputable strings Collection types and operators Lists List slices Tuples Dictionaries (hashes) Sets Sorting Queues Stack Collections Iterables Mutable and immutable Functions subroutines Function parameters Positional parameters Named parameters Default values Optional parameters Return values Function documentation Lambda functions Control flow For loops While loops Loop controls Conditionals Chained comparison Enumerate Boolean and logical operators IO print print formatting read/write files Regular expression (pattern matching) Matching all Searching for a single match Meta characters Character classes Special character classes Quantifiers Alternatives Modifier flags Anchors Back-references Substitution Split The Python standard library Filesystem related functions Running external processes Creating modules Loading a module Finding a module in a private directory Changing the search path to a relative directory Importing selected functions Namespaces Creating executable module Exception handling Creating non-fatal warnings Catching exceptions Handling exceptions Throwing a new exception The final block Creating your own exception Object Oriented Programming Defining classes Initializing objects Methods Attributes or members The self Inheritance Additional uses Installing and using 3rd party modules Writing simple web scraping program Writing simple Web application Accessing SQL databases Reading and writing Excel files Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://www.git-tower.com/learn/cheat-sheets/vcs-workflow
The Workflow of Version Control | Learn Version Control with Git Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Workflow of Version Control Understand the basic workflow of version control with Git The Workflow of Version Control When you're starting with version control, you first need to understand the 'big picture': What does a general workflow look like? Which steps are involved? What do they do? In our infographic, we provide a breakdown of a typical workflow with version control. Download it for free! Download the Cheat Sheet Get 17 of our most popular Cheat Sheets in one handy ZIP! Download Now for Free Download the Cheat Sheet Get 17 of our most popular Cheat Sheets in one handy ZIP! Download Now for Free Giveaways. Cheat Sheets. eBooks. Discounts. And great content from our blog! Yes, I want the free newsletter that's loved by over 100,000 developers and designers. It's free, it's sent infrequently (approx. once a month) and you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://szabgab.com/courses/testing-perl
Test Automation using Perl Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Test Automation using Perl Objectives Learn the importance of automated tests Use the Testing frameworks that come with Perl To be capable to write all kinds of unit and integration tests Audience People writing and maintaining Perl scripts, modules, or applications. Course Format 32 academic hours (usually full 4 days or 8 half-days). About 40% hands-on exercise. Prerequisites At least 6 month experience writing Perl code. Syllabus Details Introduction to testing, why, when, who and how? Writing tests manually Simple tests Introduction to TAP - the Test Anything Protocol Testing tools in Perl for testing Perl Modules (Test::Simple, Test::More) Common reporting framework (Test::Harness) Extending the testing framework (Test::Builder) Test file system parsing application Command Line Interface applications Database testing Testing file-systems Testing network devices with CLI interface Testing Web application Testing CGI-based applications Testing PSGI-based applications Testing Database applications Regression testing Testing code that has not been written yet (Mocking) Testing code with 3rd party APIs Writing test to fail Bad input Testing error messages Code Coverage Setting up Continuous Integration Refactoring Perl code TDD - Test Driven Development A few words about XP - Extreme Programming Building random regression testing tool Let's talk If you would like to bring this course to your organization, let's talk about it! You can reach me via email at gabor@szabgab.com or you can go ahead and schedule a chat: Contact me © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://stripe.com/it-hr/privacy
Contatta via chat il reparto vendite di Stripe Privacy Policy Stripe logo Ufficio legale Stripe Privacy Policy & Privacy Center Informativa sulla privacy Informativa sull'utilizzo dei cookie Quadro giuridico della privacy dei dati Elenco di fornitori di servizi Accordo sul trattamento dei dati Supplier Data Processing Agreement Centro privacy di Stripe Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of prot
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/faq
Frequently Asked Questions About Git | Learn Version Control with Git Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Git FAQ Frequently asked questions around Git and Version Control. Git & Version Control FAQ As experts on Git and version control, we get asked a lot about these topics. In the hope that some of the answers are helpful for you, too, we've compiled some frequently asked questions around Git and version control below. If you're looking for an in-depth course / tutorial on Git, please also see our free ebook and video course . And in case you're preparing for an interview about Git and version control, you'll definitely find our list of Git Interview Questions helpful! Search FAQs Advanced Features Git Fast-Forward: How and When to Use it Git Filter-Repo: The Best Way to Rewrite Git History Git Rev-Parse: Your Swiss Army Knife for Git References How to Set Up Git Aliases How to use "git bisect" to quickly find bugs Understanding "git blame" Using "git stash list" to view all your stash entries Using Git Credential Manager for Effortless Authentication Using the Stash to save changes temporarily What are Git hooks? What is Continuous Integration (CI)? What is the Git Reflog? Advanced Topics How to Use Git Notes How to Use Git Worktree Basic Operations How to add a remote in Git How to Amend a Commit How to create a new repository in Git How to Delete Fully Merged Branches How to discard changes in Git How to Ignore Files in Git How to inspect changes with "git diff" How to rename a file in Git How to Search for Commits How to Stage a Single Line How to undo "git add" How to unstage files in Git The Essential Git Command List Branches & Merging Check Out a File from Another Branch Checking out a remote branch Creating new local and remote branches Deleting branches in Git Deleting local branches Fixing & solving merge conflicts How to compare two branches in Git How to create a remote branch in Git How to rename local and remote branches in Git How to rename the "master" branch to "main" in Git How to undo a merge in Git Merging branches in Git Tracking a remote branch Using rebase as an alternative to git merge Commits Changing the author (name / email) of a commit Deleting commits in Git Editing / fixing the last commit's message How to checkout a commit in Git How to Create and Push an Empty Commit in Git How to squash commits in Git Undoing a specific old commit Undoing the last commit Using cherry-pick to integrate individual commits Git Error Messages Fatal: Not a Git Repository Fixing Divergent Branches How to Fix "fatal: not possible to fast-forward, aborting" in Git Updates Were Rejected (Tip Behind) GitHub Git vs. GitHub: What is the Difference? How to delete a branch on GitHub How to delete a repository on GitHub How to delete folders and files on GitHub How to fork a repository on GitHub How to push to GitHub Using GitHub on the Desktop What is a GitHub Gist? Platform Specific Git Bash: How to get started with Git on Windows Recovery & Restoration Restoring a previous version of your project Restoring deleted files Understanding the "detached HEAD" state in Git Remote Operations Downloading remote data with git fetch How to Fix "fatal: refusing to merge unrelated histories" in Git How to force push in Git Overwriting local files when pulling Set upstream to create a tracking relationship Understanding Pull Requests in Git Understanding the difference between "Fetch" and "Pull" Using "git pull origin master" to download changes Repository Management Adding an empty folder to a repository Git Shallow Clone: When Less is More Handling large files with Git LFS How to use "prune" in Git to clean up remote branches How to Use "Sparse Checkout" to Manage Large Git Repositories Ignoring a file that has already been committed to the repository Removing untracked files with "git clean" What is a Git repository? What is a Monorepo? Tags & Patches Git-Apply: A Comprehensive Guide to Patch Management How to checkout tags in Git How to create and apply a patch in Git How to delete tags in Git How to list tags in Git In case you miss an important topic on this list, please let us know via support@git-tower.com Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://szabgab.com/about
About Gabor Szabo Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> About Gabor Szabo About me These days I primarily focus on providing consulting and training in the following subjects: Rust programming Python programming Git, GitHub/GitLab Test Automation and Continuous Integration (CI) Docker and contract development in Rust , Python , and **Perl. More about me I help people, teams, and organizations improve their engineering practices, increase the speed of development, reduce the risk of bugs. Introducing and improving (Test) Automation, Continuous Integration, Extreme Programming, and DevOps practices. The service is always tailored to the specific needs, but it usually includes some of the following: Help moving to a more flexible Version Control system, or improved use of the current system. (GitHub, GitLab, Bitbucket) Introduction to test automation including unit, integration, acceptance, and regression test. Mocking, if needed. Improve development, QA, and operations processes and how they interact. Setting up Continuous Integration (CI) (Jenkins or GitHub Actions, GitLab pipelines, etc.) Setting up Continuous Deployment (CD) Help with refactoring code. Introduce the use of (Docker) containers . Introduce the use of cloud -based systems. (AWS, GCP, Azure, Digital Ocean, Linode) Training and coaching people. Sometimes my work includes building internal web sites. I also love explaining things and provide class-room training to my clients. The languages I usually deal with are Rust, Python, Perl, Bash, Groovy, and JavaScript, though many of the services I provide are language independent. Contact me if you are interested. I am the author of several books published on Leanpub: For example Collaborative Development using Git and GitHub and Single Page Application with Perl Dancer . YouTube Channels I have 4 YouTube Channels in 4 different languages. I primarily upload videos in English and Hebrew, but I have been experimenting with Spanish, and Hungarian as well. English Hebrew Spanish Hungarian Presentations Frequently giving presentations and organizing workshop at meetings and conference. The Code Maven group serves as platform for that. Some of my public presentations were recorded: YAPC::Europe::2008 in Copenhagen, Denmark. Padre the Perl IDE . YAPC::Europe::2010 in Pisa, Italy. About Perl Staff going at non Perl event YAPC::Europe::2011 in Riga, Latvia Writing Plugins for Padre, the Perl IDE YAPC::Europe::2012 in Frankfurt, Germany. Refactoring Perl Code with a short introduction of Scratch at the beginning. YAPC::NA::2016 in Orlando, Florida, USA Getting started with modern web development in Perl . At PyCon Israel 2016 I had a talk titled Fight or Flight? - dealing with real world applications in Python . The video of Fight or Flight? - dealing with real world applications in Python is also available. At PyCon Israel 2017 I talked about Testing with PyTest . The video of Testing with PyTest . At PyCon Israel 2019 I talked about Fixtures and Test Doubles in Pytest . 2023.09 Rust Meetup in Hebrew: What I learned from learning Rust . 2025.09.13 LeanPub launch video 2025.10.08 Potchim Sograim - Episode 20 on Open Source (in Hebrew). Web sites I have been running the Perl Weekly newsletter since August 2011, and the Perl Maven site since June 2012. The Code Maven > site was launched in 2015 and then several topics were split out to separate sites. For example the Python Maven , the Rust Maven , and the Git Maven . Ther is also the PyDigger site since 2016 and the Rust Digger since 2023. CV - Resume If you'd like to get a more CV -like document. Some of the contract works I've done Working with a 5-person QA team in a 1000-person company and helping them move from manual testing and from "writing scripts" to a more robust way of developing their code for automated software testing. Introducing Git. Introducing Python. Unit-testing the Python code. Logging. Exception handling. CI - COntinuous Integration system. (Jenkins) ELK stack for monitoring the system. Scripted maintenance of our servers. Deployment locally and to the Amazon Cloud. Moving several systems from Amazon AWS to Google GCP. Creating a labeling system for entities in GCP for a cost reporting system. Helping to reduce cloud expenses. Resizing Elasticseach clusters. Converting a build and testing system from TeamCity to Jenkins using a mix of Groovy, Bash, and Python. Building a Python Flask based reporting system for data in PostgreSQL, Elasticsearch, and Solr systems. Implementing and in-house agent-less CI system for a company that uses various small boards (eg. Firefly, Artik, and some Android based devices). Building a CI and release system. Implementing the API of 3rd party services in order to make it easier to test an application using that API. To test how to application behaves when the 3rd party application fails. When it response slower than expected. When it returns "out of quota" errors. etc. Installing Jenkins as in-house Continuous Integration system. Introducing unit-testing in Python. An in-house web-application to provide tools for the engineers to compare images. I used Perl Dancer while the data was kept in PostgreSQL. The front-end was using Bootstrap and JQuery. An application aggregating data about mobile applications from the Apple Appstore, Google Play, and various vendors that provide information about those applications. The data was provided in various formats, including CSV, XML, and JSON based feeds and APIs. The collected data was stored in a MySQL database and served via our own API and via JSON. When I arrived and initial version of the application worked collecting data from one source and using CGI to serve the data. I've converted it to PSGI and created the system that was able to accommodate data from various sources in various formats. I used Moo for OOP. An application to be used on Mechanical Turk . This was JavaScript based using JSON files for data storage without any additional back-end. An in-house application generating Excel reports from data in a PostgreSQL database to provide Business Intelligence. A workflow management application to control the whole workflow of an in-house image processing and analysis system. Refactored a code-base used for in-house test-automation that when I arrived had about 4,000,000 lines of code. Lots of log and database analysis code to provide data for Munin-based monitoring system. A few words about myself I was born in 1967 in Budapest, Hungary. After successfully graduating from Fazekas , one of the most competitive high-schools in the country, I thought I can learn everything. Even Theoretical Mathematics. During high-school I got my first programmable calculator a Casio FX-702P . I also had access to HT-1080Z computers in the school computer-lab. It is a clone of TRS-80 . Later I got a ZX Spectrum It took two years to understand that Theoretical Mathematics is way too much for me, so in 1989 I decided to make some adjustments. It involved moving to Israel, spending almost a year in Kibbutz Na'an , learning Hebrew and then starting to learn Computer Sciences and Business Administration at the Hebrew University . I graduated in 1993 and then went on to do an MBA in the same place while working full time in various hi-tech companies. The first company I worked for was Digital (DEC). I worked there only a few months writing automated test for the Ethernet and Fast Ethernet chips they have been developing. When that project finished I got accepted to a company called Rosh Maarachot Chosvot, which was later renamed ServiceSoft. I worked there as a programmer writing in Awk and Scheme and slowly learning system administration on the Novell network. About a year after I started to work there the company moved to the US and the offices, including all the employees were purchased by NetManage that was expanding at that time. I started to work on the newly setup Windows NT servers and was working on the version control system that was PVCS, the bug tracking system (DDTS). I ran the build machines for the developers. That's where I learned Perl. A little jump here ... one day I'll have to fill in the white pages. Other companies I worked for: Agentsoft, Phasecom (later Vyyo), Goldnames. Since about 2000 I have been providing training classes and development services in Perl and some other open source technologies. (e.g. Subversion, Git, Linux command line). I also teach Python. I am providing these classes both in Israel and overseas. Open Source Development I have been writing Perl since 1995 and teaching it since 2000. I've started the Padre, the Perl IDE (2008.06-2014.10), I am the maintainer of a number of modules on CPAN , and I have contributed to the MetaCPAN . My GitHub account contains quite a few other projects as well. My GitLab and Bitbucket accounts are a lot less active. Throughout the years I have contributed to several Perl modules on CPAN including MetaCPAN itself. Developed and maintained the CPAN::Forum a community web forum, and the Perl Community AdServer . I had to shut down both due to lack of interest. In addition I created Padre, the Perl IDE . Social activity I am the organizer of the Python community in Israel and that of the Rust community in Israel . I used to organize the Perl Mongers in Israel and created a lively environment for local Perl enthusiastic in Israel. With the invaluable help of other Mongers I have organized several Perl and Open Source Developer Conferences (OSDC) in Israel. The community used to have monthly meetings both in Tel Aviv and in Jerusalem and a busy mailing list. While the Hungarian Perl Mongers had a mailing list for some time already I have registered the perl.org.hu domain so we'll have a constant place to go when looking for Perl related information. Donated the hardware to run the web site and the mailing list and even organized with the great help of some other people two Perl Workshops in Budapest. I organized hikes (in the near-by mountains) for the speakers of Craft Conf to facilitate opportunities for off-conference bonding and conversations. ( 2017 , 2018 , 2019 ). I organized the BOFs at Craft Conf 2019 . For my contribution to Open Source in Israel, in 2009, I received the Hamakor Prize from HaMakor , the Israeli non-profit for Open Source and Free Software. (The pages are in Hebrew). Mostly for my community work, in 2008, I received the White Camel Award . Websites szabgab.com Code-Maven Rust Maven Python Maven C Maven CPP Maven Perl Maven Slides also the Rust slides Kantoniko Ruby digger Rust digger PyDigger CPAN Digger Perl Weekly Hostlocal PTI Workshops / live presentations Meet-OS - project under development. Rust ebooks DevOps Workshops in Israel - old. Remote Events (For now only remote Rust events) Forem Banner Builder Rust project. Geni Rust project. Rustatic Rust project. site checker Rust project. SSG - Static Site Generator Rust project. GitHub pages for Code-Maven old. Hash unused blog on Hashnode. news collector Rust news OSDC Open Source Development Course & Community Annotatd tech talks Weekly code maven unused. Code and Talk old, unmaintained Python project. Rust in Israel Python in Israel Perl in Israel Israel Izrael in Hungarian Other Projects Tech Talks for Technical Leaders Blog Even before it was called a blog I used to write in the use Perl journal and later in blogs.perl.org . Nowadays I mostly write on the Rust Maven , Python Maven , and the Perl Maven sites and on the Code Maven . Test Automation Tips and the other called and Perl 6 Tricks and Treats . --> Relationships You can see my personal profile on LinkedIn and on Xing . Other Profiles Twitter YCombinator Reddit Stack Overflow Superuser Serverfault PerlMonks DisqUS Coderwall Ohloh Vimeo Plurk Identi.ca DEV.to Other My favorite places in Budapest and some links related to Israel . Others about me It's nice to see what other people write about me or if they take pictures of me, here are a few I found. 1st Hungarian Perl Workshop, 2002 (Budapest) (participated as organizer and speaker) Responses in Hungarian YAPC::EU::2002 (Munich) (participated as speaker) YAPC::Israel::2003 (Haifa) (participated as organizer and speaker) perl.com article about Perl conferences reflections more feedback on the conference YAPC::EU::2003 (Paris) (participated as speaker) picture 1 picture 2 about my talks YAPC::Israel::2004 (Herzelya) (participated as organizer and speaker) picture 1 picture 2 small pictures perl.org.il responses 2nd Hungarian Perl Workshop, 2004 (Budapest) Hungarian text + some pictures YAPC::Israel::2005 (Herzelya) YAPC::Israel::2005 (participated as organizer and speaker) OSDC::Israel::2006 (Netanya) OSDC::Israel::2006 (participated as organizer and speaker) Israeli Perl Workshop 2007 (Ramat Efal) Israeli Perl Workshop 2007 (participated as organizer and speaker) Many other events I should probably list PyCon Israel 2018 Helping the organizers. Some of my clients during the years Actelis - Subversion installation and training. Aladdin Knowledge Systems . - Perl development. Amdocs - Amdocs - Perl training in Israel, Cyprus, Czech Republic. Apply Tech - Perl development, Python development. Assa Abloy (aka. Rav Bariach) - Git training. Bezeq International - Primarily Perl and Python training courses with some mentoring. Ben Gurion University/Deutsche Telekom (Israel) - Git training. Breach - Perl training. Brodmann17 - Setting up agentless CI system. Handling various small devices. Cellex - Perl development. CEVA DSP - Perl Training. Cisco - Cisco - Perl development, Perl Training. Checkpoint - Checkpoint - Test Automation development using Perl training and development. Deutsche Telekom (Germany) - Test Automation using Perl training. DNV Norway - Perl and Test Automation training. Evogene - Setting up Continuous Integration (CI) for the Perl-based web application of the company. Introducing test writing and better Perl development practices. Implementing an in-house web application using Angular as front-end. Perl training. Python training. ExLibris - Perl training. Forescout - Development of tools for Test automation in Perl. Harmonic systems - Perl training. Hazera - Python and JavaScript development, refactoring, Dockerization, deployment. iCarbonX - Setting up CI system using Jenkins, introducing unit-testing for Python based application. Inomize - Perl training. Intel Iskoot (bought by Qualcomm ) - Perl development, introducing unit-tests, test automation. Jovial - Perl development. KLA Tencor Python training. Limagrain (France) - Python and JavaScript development, refactoring, Dockerization, deployment. LSI (bought by Broadcom - Perl training. Mercury Interactive - 2002.03-2003.09 - Maintenance and improvement of internally written, Perl based Configuration Management System. Help in Automating several tasks in system administration. Migdal Insurance - Perl development. MyThings - Subversion training. NDS (later Cisco ) - Perl training, Python training. Norwegian Meteorological Inst - training. Orange (Partner Ltd.) Orpak Palo Alto Networks - Rust training. Perfecto Mobile Linux training. Qualcomm - Perl training, Python training. Radware - Perl training. Sandvine - Perl training. SAP - Development service. Screenovate - Test Automation system. SeaBridge Networks - A Siemens company. Sheer Networks (bought by Cisco - Perl development. Superfish Superfly - Python testing training. Twiggle - DevOps. Verint - Subversion and Python training. Weizmann Institute of Science - Perl and Python development, Python courses primarily for Biology and Physics students and staff. Zoran - Perl training. An old photo © 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://stripe.com/nl-be/privacy
Chat met het verkoopteam van Stripe Privacy Policy Stripe logo juridisch Stripe Privacy Policy & Privacy Center Privacybeleid Cookiebeleid Raamwerk voor gegevensprivacy Lijst met dienstverleners Gegevensverwerkingsovereenkomst Supplier Data Processing Agreement Stripe-privacycentrum Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/videos/commit-history?channel=cli
Commit History | Learn Git Video Course Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Learn Version Control with Git Our beginner-friendly video course teaches you the foundations of Git - and takes you from novice to master! 3 min episode 8 of 24 Commit History How can I see what has happened in my repository? How can I review my repository's history? Learn More Chapter Working on Your Project in our online book. Previous Video « Staging & Committing Changes Next Video Ignoring Files » Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://dev.to/t/git/page/335
Git Page 335 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Git Follow Hide Software for tracking changes in any set of files, usually used for coordinating work among programmers collaboratively developing source code during software development. Create Post Older #git posts 332 333 334 335 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.git-tower.com/store/tower-for-teams
Tower for Teams | Tower Git Client Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Tower for Teams See for yourself how Tower can help you build better software and try it with your whole team - for free! Try Tower in Your Team We offer free, multi-user trials for Tower so you can test it with your whole team. Simply get in touch with us and we'll help you get started. Name* Email* Company* Team size* Questions      (optional)   I have read and accept the Privacy Policy Please don't enter anything into this field, it's used to stop bots and shouldn't be visible to normal users. Tower is the tool of choice for over 100,000 customers worldwide Build Better Software Tower helps your team build better software - in a more productive and secure way. Learn more about why countless teams are using Tower to improve their software projects. Learn More Andreas Høyland Designer at Favo AS Tower has given me and my team git-super-powers that would not be accessible to us without it. Jesse Bilsten Principal Designer at GoDaddy I utilize Git in both design and development environments - and Tower is the only tool that empowers me in both. Matt Jones Contributor at Sensu-Plugins Tower makes it trivial to use different operating systems, thus increasing productivity and cohesion across multiple teams. Tower Git Client Download for macOS Download for Windows Releases Pricing Beta Channel Use Cases Developers Designers Teams Enterprise Students Teachers & Universities Features Easy Powerful Productive   New Features All Features Integrations CLI vs GUI Tower Workflows Stacked Pull Requests Free Tools Code Diff Tool .gitignore Generator Support Help Center Documentation Learn Git Newsletter Contact Us Company About Blog Press Jobs Merch Affiliate Program Legal License Agreement Privacy Policy Privacy Settings Imprint © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (8 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing. Please check your email to confirm. Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time.
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/ebook/en/desktop-gui/advanced-topics/forking
Forking | Learn Git Ebook (GUI Edition) Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Forking A fork is not a feature in Git, but rather a concept provided by several Git hosting services. It is commonly used for contributing to projects. Table of Contents Part 1 - The Basics What is Version Control? Why Use Version Control? Setting Up Git on Your Computer The Basic Workflow Starting with an Unversioned Project Starting with an Existing Project Working on Your Project Part 2 - Branching & Merging Branching can Change Your Life Working with Branches Saving Changes Temporarily Checking Out a Local Branch Merging Changes Branching Workflows Part 3 - Sharing Work via Remote Repositories Introduction to Remote Repositories Connecting a Remote Repository Inspecting Remote Data Integrating Remote Changes Publishing a Local Branch Deleting Branches Part 4 - Advanced Topics Undoing Things Inspecting Changes with Diffs Dealing with Merge Conflicts Rebase as an Alternative to Merge Submodules Forking Pull Requests Workflows with git-flow Handling Large Files with LFS Authentication with SSH Public Keys Part 5 - Tools & Services Diff & Merge Tools Code Hosting Services More Learning Resources Appendix Version Control Best Practices Switching from Subversion to Git Why Git? Learn on: Desktop GUI | Command Line Forking In the world of open source, forking a project has traditionally meant that someone took the project’s current code base and used it as a basis for a separate, alternative project. In this context, the term “fork” carries some negative connotations, as forking a project can mean that the community of developers and users of the original project splits into two groups. In the world of Git, the meaning is similar but the connotations are different. While a fork can be used as a basis for a separate project, a fork is also often used to contribute to the original project. Furthermore, a fork can be used to include a project in your own codebase with some modifications, or just to play around with a project. The fact that the Ruby on Rails project has over 18,000 forks on GitHub at the time of writing doesn’t mean that there are 18,000 competing versions of Rails out there. A fork is not a built-in feature in Git itself, but rather a concept provided by several Git hosting services. Put simply, a fork of a repository is a copy of that repository, with all its code, branches and history, on the server. The fork will also “know” from which repository it has been forked. A fork can be thought of as a server-side clone of a repository, whatever the mechanism behind the fork really is. GitHub , Bitbucket and GitLab all offer forking functionality. Contributing to a Project Through a Fork As mentioned, a common use-case for a fork is to contribute to a project. While there are other ways to do this, like pushing directly to its repository or mailing patches around, a fork-based workflow is convenient as it allows you to use the familiar concepts of branches and remotes in Git without having write permissions in the original repository. Developers can fork the project and push code to their own forks instead of the original repository, while a maintainer is responsible for integrating the changes into the original repository. In this case, a pull request is often used to integrate the changes into the original repository. We’ll look at pull requests in the next chapter. For now, let’s look at creating a fork and cloning it locally in GitHub. Below, I’m looking at a repository in GitHub. To create a fork — my own copy — of this repository, I just press the “fork” button in the upper right of the screen. If I’m a member of some organizations, I get to choose where to fork the repository — I’m going to select my own user account. Now I have a fork of the original repository in my own GitHub account. To work with the code locally, I need to clone the repository just like I would clone any other repository. I’ve added my GitHub account to Tower, so by selecting this account in the services view, I get a list of my repositories on GitHub. Here, I just have to click “Clone” next to “my-project” to get a local clone of the repository: Now the code is available locally on my computer. I can now use it for whatever I intended (providing that the license of the original project allows my use-case, of course). As mentioned, one of these use-cases include contributing to the original project, the one that I forked initially. We’ll look at this in detail in the next chapter, but for now, let’s fix one thing to make things easier for us going forward. Note that my local repository currently has one remote named origin , which is pointing at the fork: Add Upstream Remote As I work away on my changes locally, it may be useful to incorporate changes done in the original project, especially if I plan to integrate my changes back there at some point. Some services allow you to sync your fork with the original repository in the service, which then allows you to pull down these changes from origin , your fork, locally. However, it’s also possible to pull down changes directly to your local repository from the original repository. By convention, the original repository is referred to as “upstream”, so let’s add a remote called upstream pointing at the original repository by selecting “Add New Remote” from the “Repository” menu in Tower (here I use the URL from the original repository on GitHub, not my fork): We now have two remotes: upstream , pointing at the original repository, and origin , pointing at our fork: We’re all set to take a look at pull requests and how they allow us to contribute changes back to the original repository. Submodules Contents Pull Requests Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/ebook/en/desktop-gui/branching-merging/branching-workflows
Branching Workflows | Learn Git Ebook (GUI Edition) Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Branching Workflows There are different approaches to working with branches in Git. This chapter explains the most common ones. Table of Contents Part 1 - The Basics What is Version Control? Why Use Version Control? Setting Up Git on Your Computer The Basic Workflow Starting with an Unversioned Project Starting with an Existing Project Working on Your Project Part 2 - Branching & Merging Branching can Change Your Life Working with Branches Saving Changes Temporarily Checking Out a Local Branch Merging Changes Branching Workflows Part 3 - Sharing Work via Remote Repositories Introduction to Remote Repositories Connecting a Remote Repository Inspecting Remote Data Integrating Remote Changes Publishing a Local Branch Deleting Branches Part 4 - Advanced Topics Undoing Things Inspecting Changes with Diffs Dealing with Merge Conflicts Rebase as an Alternative to Merge Submodules Forking Pull Requests Workflows with git-flow Handling Large Files with LFS Authentication with SSH Public Keys Part 5 - Tools & Services Diff & Merge Tools Code Hosting Services More Learning Resources Appendix Version Control Best Practices Switching from Subversion to Git Why Git? Learn on: Desktop GUI | Command Line Branching Workflows Depending on how they're used, you can divide branches into two major groups. Note Please keep in mind, though, that this is just a semantic division. Technically (and practically), a branch is just a branch and always works in the same way. (A) Short-Lived / Topic Branches Earlier in this book, you've already read my advice to be generous about creating branches for new features , bug fixes , and experiments . Branches for these kinds of things share two important characteristics: They are about a single topic and are used to isolate code belonging to this topic from any other code. You shouldn't create a "shopping-cart" branch to then also commit code dealing with newsletter signup or bug #341 to it. They typically have a rather short lifespan , usually only until you've finished working on the topic (i.e. when the bug is fixed, the feature is complete...). Then, the branch will be integrated into the broader context of your project and can be deleted. (B) Long-Running Branches Other branches are used on a higher level, independent of a single feature or bugfix development. They represent states in your project lifecycle - like a "production", "testing", or "development" state - and remain in your project for a longer time (or even all the time). Typically, a couple of rules apply to this kind of branches: You shouldn't work on them directly. Instead, you integrate other branches (possibly feature branches or other long-running branches) into them, but rarely add commits directly to them. Often, long-running branches have a hierarchy between them: e.g. "master" is used as the highest-order branch. It should only contain production code. Subordinate to it exists a "development" branch. It's used to test developed features and is then integrated into "master"... Which long-running branches should be created and how they should be used can't be generalized. This depends a lot on the team (its size and style of development) and the requirements of the project (and possibly also the customer). Clear rules must exist and be agreed on by everybody in the team. A Very Simple Branching Strategy As already said, each team must find its own branching strategy. However, we'll look at a very simple workflow that should fit for a lot of teams. One Long-Running Branch Only Although you could of course introduce multiple long-running branches, there are a couple of reasons against this: most notably, it complicates things! Having only a single long-running branch in your workflow keeps things as simple as possible. Concept In such a scenario, the "master" branch effectively represents your production code. This has one important consequence: everything that gets merged into "master" must be stable! It must be tested, reviewed, and approved by whatever methods else you have to assure quality. This also means that no work should happen directly on "master" (which is also a very common rule). Therefore, if you should find yourself checking out the "master" branch and committing something there, you should ask yourself if you're doing the right thing... Topic Branches Every time you start working on a new feature or bugfix, you should create a new branch for this topic. This is a common practice in almost all branching workflows and should become a habit for you, too. As you only have a single long-running branch in your repository, all new topic branches are based off of this "master" branch. And when your work is done in this topic, of course, it should be merged back into "master". In the meantime, it might be that new code gets integrated into "master" by your teammates while you're still working on your feature. It's both recommended and simple to merge new stuff often from master into your development branch. This ensures that you're staying up-to-date - and thereby reduces the risk of merge conflicts that come with large integrations. Don't forget the golden rule that comes with such a simple workflow: code that gets integrated into "master" must be stable! How you ensure this is up to you and your team: use unit tests, code reviews, etc. Keep the Remote in Sync In Git, remote and local branches can be completely independent from each other. However, it makes great sense to regard local and remote branches as counterparts of each other. This doesn't mean that you need to publish each of your local branches: it can still make perfect sense to keep some of your branches private, e.g. when you're doing experimental stuff that you're working on alone. However, if you do publish a local branch, you should name its remote counterpart branch the same. If you have a local branch named "login-ui", you should also name it "login-ui" when you push it to your remote repository. Push Often Keeping the remote in sync doesn't stop with the structure: publishing your work often makes sure that everybody has always access to the latest developments. And, as a bonus, it can serve as your remote backup. Other Branching Strategies The above strategy is best suited for small, agile teams. Especially larger teams might need more rules and more structures. Searching the web for other teams' strategies will present you with many interesting alternatives. One particular workflow that might be worth a look is the popular " git-flow ". Note In my personal opinion, git-flow is a bit too heavy of a component because it forces the user to learn almost a meta-language with new commands. You might find that properly learning the Git basics and agreeing on a common workflow in a team will make "supplements" like git-flow superfluous. However, in case git-flow is what your team has chosen to use, you'll be pleased to hear that Tower supports it in its interface, too. Merging Changes Contents Part 3 - Remote Repositories Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://design.forem.com/irender_gpu_render_farm
iRender GPU Render Farm - Design Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Design Community Close Follow User actions iRender GPU Render Farm We build iRender – a high-performance GPU cloud render farm for 3D artists and developers. Powering Blender, Maya, C4D, Redshift, Houdini & more with RTX 4090 nodes. Location Singapore Joined Joined on  Jun 12, 2025 Personal website https://irendering.net/ twitter website Work Co-founder More info about @irender_gpu_render_farm Badges Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Skills/Languages English Post 9 posts published Comment 0 comments written Tag 0 tags followed How to resolve Blender crashing issue during rendering? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Nov 15 '25 How to resolve Blender crashing issue during rendering? # design # inspiration # designers # designblogs Comments Add Comment 4 min read How to Fix X-Particles Missing in Cinema 4D Menu Bar? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Nov 10 '25 How to Fix X-Particles Missing in Cinema 4D Menu Bar? # design # hardware # newdesigner # 3ddesign Comments Add Comment 4 min read How Do You Optimize Arnold in Maya to Speed Up Rendering? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Oct 31 '25 How Do You Optimize Arnold in Maya to Speed Up Rendering? # design # aiindesign # brainstorming # graphicdesign Comments Add Comment 4 min read How Do You Fix the “Out of GPU Memory” Error in Blender? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Oct 29 '25 How Do You Fix the “Out of GPU Memory” Error in Blender? # design # 3ddesign # inspiration # tools Comments Add Comment 4 min read How to rotate and flip textures in Blender iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Oct 27 '25 How to rotate and flip textures in Blender # design # inspiration # 3ddesign # designprocess Comments Add Comment 6 min read What Are the Best Modo 3D Tips and Tricks to Improve Your Workflow? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Oct 24 '25 What Are the Best Modo 3D Tips and Tricks to Improve Your Workflow? # design # inspiration # 3ddesign # designprocess Comments Add Comment 7 min read Which Graphics Card Is Best for Lumion 2025? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Oct 22 '25 Which Graphics Card Is Best for Lumion 2025? # design # hardware # inspiration # 3ddesign Comments Add Comment 8 min read What’s the Difference Between 3D Animation, VFX, and CGI? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Oct 21 '25 What’s the Difference Between 3D Animation, VFX, and CGI? # design # 3ddesign # inspiration # designtrends Comments Add Comment 7 min read How Do You Achieve High-Quality Renders with Arnold for Maya? iRender GPU Render Farm iRender GPU Render Farm iRender GPU Render Farm Follow Oct 18 '25 How Do You Achieve High-Quality Renders with Arnold for Maya? # discuss # programming # beginners # tutorial Comments Add Comment 5 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Design Community — Web design, graphic design and everything in-between Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Design Community © 2016 - 2026. We're a place where designers share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://stripe.com/fr-be/privacy
Chat avec le service des ventes de Stripe Privacy Policy Stripe logo Juridique Stripe Privacy Policy & Privacy Center Politique de confidentialité Politique sur l'utilisation des cookies Cadre de protection des données Liste des prestataires de services Contrat de traitement des données Supplier Data Processing Agreement Centre de confidentialité de Stripe. Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate leve
2026-01-13T08:49:19
https://dev.to/t/figma
Figma - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # figma Follow Hide Tips, tricks, plugins, and discussions for the popular design tool Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Bridging LLMs and Design Systems via MCP: Implementing a Community Figma MCP Server for Generative Design Om Shree Om Shree Om Shree Follow Jan 10 Bridging LLMs and Design Systems via MCP: Implementing a Community Figma MCP Server for Generative Design # mcp # ai # figma # design 11  reactions Comments 2  comments 4 min read Beyond the Canvas: Building a High-Impact Landing Page with Framer & SEO in Mind 🚀 Florence Florence Florence Follow Jan 6 Beyond the Canvas: Building a High-Impact Landing Page with Framer & SEO in Mind 🚀 # figma # webdev # ai 1  reaction Comments Add Comment 2 min read Building a Personal Blog in Just a Few Hours with AI Tools Paul Riviera Paul Riviera Paul Riviera Follow Jan 1 Building a Personal Blog in Just a Few Hours with AI Tools # githubcopilot # figma # vite # ai Comments Add Comment 3 min read Stop Screenshotting Emails Into Figma Christopher Rogers Christopher Rogers Christopher Rogers Follow Dec 17 '25 Stop Screenshotting Emails Into Figma # showdev # productivity # figma # webdev Comments Add Comment 2 min read Top 13 Figma Icon Plugins For Free in 2025 Rojain Ebna Atik Rojain Ebna Atik Rojain Ebna Atik Follow Dec 7 '25 Top 13 Figma Icon Plugins For Free in 2025 # figma # beginners # react # opensource 1  reaction Comments Add Comment 8 min read Automating Figma React.js Code Generation Using an MCP Server Rajgopal Devabhaktuni Rajgopal Devabhaktuni Rajgopal Devabhaktuni Follow Dec 6 '25 Automating Figma React.js Code Generation Using an MCP Server # reactjsdevelopment # react # mcp # figma Comments Add Comment 3 min read I Tested 5 Design-to-Code AI Tools for 30 Days - Here's What Actually Works Emma Schmidt Emma Schmidt Emma Schmidt Follow Dec 10 '25 I Tested 5 Design-to-Code AI Tools for 30 Days - Here's What Actually Works # webdev # ai # figma 4  reactions Comments Add Comment 5 min read How to Create Pixel-Perfect UI Components in Figma (Then Build Them in React) Pixel Mosaic Pixel Mosaic Pixel Mosaic Follow Dec 29 '25 How to Create Pixel-Perfect UI Components in Figma (Then Build Them in React) # react # figma # webdev # uiux Comments Add Comment 2 min read Figma to IDE MCP integration in 2 minutes Yarden Porat Yarden Porat Yarden Porat Follow Nov 8 '25 Figma to IDE MCP integration in 2 minutes # figma # mcp # webdev # ai 6  reactions Comments Add Comment 2 min read Simplifying Figma MCP Server: How to Start in Minutes Deny Herianto Deny Herianto Deny Herianto Follow Nov 3 '25 Simplifying Figma MCP Server: How to Start in Minutes # mcp # figma # ai 3  reactions Comments Add Comment 4 min read Deck 11: Free Open‑Source Card Pack for Figma Oluwafemi Adelekan Oluwafemi Adelekan Oluwafemi Adelekan Follow Oct 30 '25 Deck 11: Free Open‑Source Card Pack for Figma # figma # opensource # design # productivity Comments Add Comment 1 min read MCP Figma: The Frontend Developer’s New Assistant Putu Adi Putu Adi Putu Adi Follow Dec 2 '25 MCP Figma: The Frontend Developer’s New Assistant # mcp # figma # frontend # ai 8  reactions Comments Add Comment 4 min read Connecting the Custom Elements Manifest to Figma Code Connect James Ives James Ives James Ives Follow Oct 27 '25 Connecting the Custom Elements Manifest to Figma Code Connect # figma # webdev # webcomponents # lit Comments Add Comment 9 min read Design Review Checklist 📋 Rasmus Larsson Rasmus Larsson Rasmus Larsson Follow Nov 17 '25 Design Review Checklist 📋 # design # checklist # figma 5  reactions Comments Add Comment 1 min read How to Build a Portfolio Website Using Figma and AI Tools PRANKUR PANDEY PRANKUR PANDEY PRANKUR PANDEY Follow Nov 18 '25 How to Build a Portfolio Website Using Figma and AI Tools # webdev # figma # frontend # ai Comments Add Comment 28 min read Figma to React: How Kombai Finally Solved My Frontend Workflow David Herbert💻🚀 David Herbert💻🚀 David Herbert💻🚀 Follow Nov 28 '25 Figma to React: How Kombai Finally Solved My Frontend Workflow # ai # webdev # frontend # figma 1  reaction Comments Add Comment 17 min read 10 Figma Shortcuts You Must Know (2026 Edition) Pixel Mosaic Pixel Mosaic Pixel Mosaic Follow Nov 26 '25 10 Figma Shortcuts You Must Know (2026 Edition) # figma # ai # productivity # tutorial 1  reaction Comments Add Comment 2 min read Figma Make Acaba de Eliminar la Barrera entre Código y Diseño🤯 Orli Dun Orli Dun Orli Dun Follow Oct 16 '25 Figma Make Acaba de Eliminar la Barrera entre Código y Diseño🤯 # figma # programming # beginners # tutorial Comments Add Comment 5 min read Tired of eyeballing Figma vs Storybook? Here’s how I gate design fidelity in CI Kazunori Osaki Kazunori Osaki Kazunori Osaki Follow Nov 18 '25 Tired of eyeballing Figma vs Storybook? Here’s how I gate design fidelity in CI # figma # testing # playwright # frontend Comments 2  comments 6 min read Material Dashboard Shadcn: Free Admin Dashboard Built with Shadcn/UI + Tailwind CSS Creative Tim Creative Tim Creative Tim Follow Oct 10 '25 Material Dashboard Shadcn: Free Admin Dashboard Built with Shadcn/UI + Tailwind CSS # opensource # webdev # figma # tailwindcss Comments Add Comment 2 min read Figma MCP to Code with cursor Konfy Konfy Konfy Follow Oct 4 '25 Figma MCP to Code with cursor # webdev # figma # konfydev # programming Comments Add Comment 1 min read 🎨 Comprehensive Comparison of Mainstream Figma to Code MCPs Kyrie Chen Kyrie Chen Kyrie Chen Follow Aug 20 '25 🎨 Comprehensive Comparison of Mainstream Figma to Code MCPs # webdev # ai # figma # mcp Comments Add Comment 3 min read From Figma to AI: 5 Game-Changing Tips I Learned From Design Leaders Konark Sharma Konark Sharma Konark Sharma Follow Aug 4 '25 From Figma to AI: 5 Game-Changing Tips I Learned From Design Leaders # design # ux # figma # career Comments Add Comment 3 min read From Figma to AI: 5 Game-Changing Tips I Learned From Design Leaders Konark Sharma Konark Sharma Konark Sharma Follow Aug 4 '25 From Figma to AI: 5 Game-Changing Tips I Learned From Design Leaders # design # ux # figma # career Comments Add Comment 3 min read The Figma-to-n8n “Ninja Move”: Zero-Touch Asset Sync (with Chat Commands + AI Quality Checks) Hoang Son Hoang Son Hoang Son Follow Aug 31 '25 The Figma-to-n8n “Ninja Move”: Zero-Touch Asset Sync (with Chat Commands + AI Quality Checks) # n8n # figma # android # ios 2  reactions Comments Add Comment 7 min read loading... trending guides/resources 10 Figma Shortcuts You Must Know (2026 Edition) I Tested 5 Design-to-Code AI Tools for 30 Days - Here's What Actually Works Figma to IDE MCP integration in 2 minutes Design Review Checklist 📋 Automating Figma React.js Code Generation Using an MCP Server Top 13 Figma Icon Plugins For Free in 2025 MCP Figma: The Frontend Developer’s New Assistant Simplifying Figma MCP Server: How to Start in Minutes How to Build a Portfolio Website Using Figma and AI Tools Bridging LLMs and Design Systems via MCP: Implementing a Community Figma MCP Server for Generativ... Stop Screenshotting Emails Into Figma How to Create Pixel-Perfect UI Components in Figma (Then Build Them in React) Building a Personal Blog in Just a Few Hours with AI Tools Deck 11: Free Open‑Source Card Pack for Figma Beyond the Canvas: Building a High-Impact Landing Page with Framer & SEO in Mind 🚀 Tired of eyeballing Figma vs Storybook? Here’s how I gate design fidelity in CI Figma to React: How Kombai Finally Solved My Frontend Workflow 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://dev.to/t/git/page/3
Git Page 3 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Git Follow Hide Software for tracking changes in any set of files, usually used for coordinating work among programmers collaboratively developing source code during software development. Create Post Older #git posts 1 2 3 4 5 6 7 8 9 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Git for Beginners: Basics and Essential Commands Bhupesh Chandra Joshi Bhupesh Chandra Joshi Bhupesh Chandra Joshi Follow Dec 29 '25 Git for Beginners: Basics and Essential Commands # git # beginners # tutorial # cli Comments Add Comment 6 min read Test post for my blog journey Purna Pattela Purna Pattela Purna Pattela Follow Dec 27 '25 Test post for my blog journey # git # github # vcs Comments Add Comment 1 min read Handling multiple branches in AI projects with git worktree Konstantin Konstantin Konstantin Follow Dec 28 '25 Handling multiple branches in AI projects with git worktree # git # productivity # ai # opensource Comments Add Comment 1 min read A Practical Guide to Troubleshooting Git Push Errors in Terraform Projects Muhammad Awais Zahid Muhammad Awais Zahid Muhammad Awais Zahid Follow Dec 24 '25 A Practical Guide to Troubleshooting Git Push Errors in Terraform Projects # git # github # terraform # devops Comments Add Comment 1 min read Running Regression Analysis with KDiff (Step-by-Step Demo) Kavita Kavita Kavita Follow Dec 24 '25 Running Regression Analysis with KDiff (Step-by-Step Demo) # git # developer # productivity # softwareengineering Comments Add Comment 1 min read Commit Signing - GnuPG Agent Forwarding Jesse P. Johnson Jesse P. Johnson Jesse P. Johnson Follow Dec 24 '25 Commit Signing - GnuPG Agent Forwarding # git # security # devops # tutorial Comments Add Comment 2 min read Commit Message Format Akkarapon Phikulsri Akkarapon Phikulsri Akkarapon Phikulsri Follow Jan 8 Commit Message Format # github # git # commit # pattern Comments Add Comment 3 min read Common Git Mistakes (And How to Fix Them) Shamim Ali Shamim Ali Shamim Ali Follow Jan 7 Common Git Mistakes (And How to Fix Them) # beginners # git # tutorial Comments Add Comment 2 min read Inside Git: How It Works and the Role of the .git Folder Abhimanyu Kumar Abhimanyu Kumar Abhimanyu Kumar Follow Jan 5 Inside Git: How It Works and the Role of the .git Folder # webdev # programming # git # github Comments Add Comment 3 min read Enriching Code Context with Git Diffs for Smarter Developer Tools Timothy Adeleke Timothy Adeleke Timothy Adeleke Follow Dec 26 '25 Enriching Code Context with Git Diffs for Smarter Developer Tools # git # tooling # extensions 5  reactions Comments Add Comment 4 min read How to Enforce Policies Without Blocking Hotfixes Piyush Gaikwad Piyush Gaikwad Piyush Gaikwad Follow Dec 26 '25 How to Enforce Policies Without Blocking Hotfixes # programming # productivity # devops # git 1  reaction Comments Add Comment 2 min read Show Git Branch & Status in Bash Prompt Rost Rost Rost Follow Dec 22 '25 Show Git Branch & Status in Bash Prompt # linux # bash # git # devops Comments Add Comment 10 min read Building a Meta-Logger: Tracking My Work Across GitHub, Codeberg, and Bitbucket Using Go Nimai Charan Nimai Charan Nimai Charan Follow Dec 18 '25 Building a Meta-Logger: Tracking My Work Across GitHub, Codeberg, and Bitbucket Using Go # programming # go # git Comments Add Comment 4 min read Jenkins in DevSecOps Periodic Table Jai Surya Jai Surya Jai Surya Follow Dec 18 '25 Jenkins in DevSecOps Periodic Table # aws # github # git # cloud Comments Add Comment 2 min read A Better Way to Run Git Worktrees Finally! Julio Daniel Reyes Julio Daniel Reyes Julio Daniel Reyes Follow Dec 16 '25 A Better Way to Run Git Worktrees Finally! # git # vibecoding # programming # ai 27  reactions Comments Add Comment 1 min read Why My Model Wouldn’t Deploy to Hugging Face Spaces (and What Git LFS Actually Does) Chloe Zhou Chloe Zhou Chloe Zhou Follow Jan 11 Why My Model Wouldn’t Deploy to Hugging Face Spaces (and What Git LFS Actually Does) # git # gitlfs # huggingface # machinelearning Comments Add Comment 5 min read Part 03: Building a Sovereign Software Factory: Self-Hosted GitLab & Secrets Management Warren Jitsing Warren Jitsing Warren Jitsing Follow Dec 17 '25 Part 03: Building a Sovereign Software Factory: Self-Hosted GitLab & Secrets Management # gitlab # devops # cicd # git Comments Add Comment 45 min read My Dev Multirepo Setup for JS projects with dependencies Joaquim Monserrat Companys Joaquim Monserrat Companys Joaquim Monserrat Companys Follow Dec 17 '25 My Dev Multirepo Setup for JS projects with dependencies # git # productivity # javascript # webdev 1  reaction Comments Add Comment 3 min read Why Version Control Exists: The Pendrive Problem Ritam Saha Ritam Saha Ritam Saha Follow Dec 30 '25 Why Version Control Exists: The Pendrive Problem # git # github # beginners # programming 1  reaction Comments 1  comment 7 min read Git Stash : Save Your Work Without the Panic Vidya Vidya Vidya Follow Dec 18 '25 Git Stash : Save Your Work Without the Panic # git # tooling # tutorial Comments Add Comment 1 min read repoindex: Give Claude Code Awareness of Your Entire Repository Collection Alex Towell Alex Towell Alex Towell Follow Dec 16 '25 repoindex: Give Claude Code Awareness of Your Entire Repository Collection # python # git # ai # productivity Comments Add Comment 2 min read 5.Git Revert Some Changes Thu Kha Kyawe Thu Kha Kyawe Thu Kha Kyawe Follow Dec 16 '25 5.Git Revert Some Changes # git # gitlevel2 Comments Add Comment 2 min read 2.Git Create Branches Thu Kha Kyawe Thu Kha Kyawe Thu Kha Kyawe Follow Dec 16 '25 2.Git Create Branches # git # gitlevel2 Comments Add Comment 2 min read 3.Git Merge Branches Thu Kha Kyawe Thu Kha Kyawe Thu Kha Kyawe Follow Dec 16 '25 3.Git Merge Branches # git # gitlevel2 Comments Add Comment 2 min read 4.Git Manage Remotes Thu Kha Kyawe Thu Kha Kyawe Thu Kha Kyawe Follow Dec 16 '25 4.Git Manage Remotes # git # gitlevel2 Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.git-tower.com/beta#get-started-beta
Get Early Access to the New Tower | Tower Git Client Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Get Early Access to the New Tower Join our Beta Channel to preview the latest Tower improvements for Mac and Windows. You'll automatically receive new builds before they become available to the general public. Get the Beta Automatic Branch Management Coming in 15.0 This update introduces Automatic Branch Management, making it easy to archive or clean up fully merged or stale branches, ensuring that your repository remains tidy and uncluttered. We've also added a new "Fork Point" feature, allowing you to easily see which commits were introduced by a branch relative to its parent branch. And yes, Tower 15 for Mac is fully compatible with macOS 26 Tahoe! Release Notes No beta release notes available for this product at this time. No beta release notes available for this product at this time. How to Get Access Head over to "Preferences > Updates" to join our Beta Channel. Found a Bug? Have a Suggestion? With beta software, bugs and issues may arise. If you have any feedback about our beta, please let us know! Let's make Tower better, together. Contact Us Join over 120,000 people Be the first to know about new content from Tower as well as giveaways and freebies via email. Be the first to know about new content from the Tower blog as well as giveaways and freebies via email. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time.
2026-01-13T08:49:19
https://dev.to/makendrang/aws-certified-generative-ai-developer-professional-in-2-weeks-part-1-exam-overview--2p6a#comments
AWS Certified Generative AI Developer – Professional in 2 Weeks (Part 1: Exam Overview & Foundations) - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse MakendranG Posted on Jan 11           AWS Certified Generative AI Developer – Professional in 2 Weeks (Part 1: Exam Overview & Foundations) # aws # certification # machinelearning # ai This is Part 3 of a 3-part series on my AWS Certified Generative AI Developer - Professional certification journey. Series Navigation: Part 1: Exam Overview & Foundation Strategy Part 2: Advanced Learning & Exam Preparation Part 3: Practical Experience & Success Tips (You are here) Table of Contents - Part 3 Hands-On Labs: The Game Changer Tips for Success The Exam Experience Who Should Consider This Certification What's Next After Certification? Resources That Made the Difference Final Thoughts In Parts 1 and 2, I covered the foundation and advanced learning phases. Part 3 focuses on the practical aspects, hands-on experience, and actionable tips that made the difference in my exam success. Hands-On Labs: The Game Changer The hands-on labs were absolutely crucial for my success. Theory alone wouldn't have been sufficient for this professional-level certification. Here's what made the practical experience so valuable: Essential Lab Experiences 1. Amazon Bedrock Knowledge Bases RAG Implementation Lab Focus : Building a complete RAG system using Amazon Bedrock Knowledge Bases Key Learning Outcomes: Data Ingestion : Uploading documents to S3 and configuring automatic processing Vector Database Setup : Creating and managing OpenSearch Serverless collections API Integration : Using Retrieve and RetrieveAndGenerate APIs effectively Query Optimization : Fine-tuning retrieval parameters for better results Error Handling : Managing common issues like chunking problems and retrieval failures Real-World Application : This lab directly prepared me for questions about RAG architecture, vector database management, and knowledge base optimization. 2. Conversational AI with Amazon Bedrock APIs Lab Focus : Implementing streaming conversations using Amazon Nova Lite model Key Learning Outcomes: Model Invocation : Using InvokeModel and InvokeModelWithResponseStream APIs Context Management : Maintaining conversation history and context windows Streaming Implementation : Handling real-time response streaming Prompt Engineering : Crafting effective prompts for different conversation scenarios Error Recovery : Managing API rate limits and model availability issues Real-World Application : Essential for understanding model API patterns and conversational AI implementation strategies. 3. Secure GenAI with Guardrails Lab Focus : Implementing comprehensive security using Amazon Bedrock Guardrails Key Learning Outcomes: Content Filtering : Setting up toxicity detection and inappropriate content blocking PII Protection : Implementing personally identifiable information detection and masking Prompt Injection Defense : Protecting against malicious prompt manipulation Custom Guardrails : Creating domain-specific content policies Monitoring and Logging : Tracking guardrail violations and security events Real-World Application : Critical for security and governance questions, which represent 20% of the exam. 4. Agentic AI with Bedrock Agents Lab Focus : Building autonomous AI agents with tool integrations Key Learning Outcomes: Agent Configuration : Setting up agents with specific roles and capabilities Tool Integration : Connecting agents to external APIs and AWS services Workflow Design : Creating multi-step agent workflows Action Groups : Defining and managing agent action capabilities Testing and Debugging : Troubleshooting agent behavior and tool interactions Real-World Application : Essential for understanding agentic AI patterns and autonomous system design. My Lab Strategy Environment Setup: AWS Account : Used personal AWS account with free-tier resources where possible Cost Management : Set up billing alerts to monitor spending (total cost: ~$25 for all labs) Region Selection : Used us-east-1 for maximum service availability Resource Cleanup : Automated cleanup scripts to avoid unnecessary charges Documentation Approach: Lab Notebooks : Maintained detailed Jupyter notebooks for each lab Architecture Diagrams : Drew out system architectures for complex implementations Code Snippets : Saved reusable code patterns for common operations Troubleshooting Notes : Documented common issues and their solutions Practice Methodology: Repetition : Repeated each lab 2-3 times to build muscle memory Variations : Modified lab parameters to understand different scenarios Integration : Combined concepts from multiple labs into comprehensive solutions Time Tracking : Practiced completing labs within time constraints Key Insights from Hands-On Practice Service Integration Patterns: Understanding how Amazon Bedrock integrates with S3, Lambda, and API Gateway Learning the nuances of IAM permissions for GenAI services Mastering the data flow between vector databases and knowledge bases Performance Optimization: Practical experience with caching strategies and response optimization Understanding the impact of different model configurations on performance Learning to balance cost, latency, and quality in real implementations Error Handling and Troubleshooting: Common API errors and their resolutions Network connectivity issues with VPC endpoints Model availability and rate limiting scenarios Tips for Success Based on my experience and the challenges I encountered, here are my top recommendations for exam success: Study Strategy Tips 1. Follow the Domain Weightings Prioritize High-Weight Domains : Spend 60% of your time on Domains 1 and 2 (57% of exam) Don't Neglect Lower-Weight Domains : Still allocate sufficient time for Domains 3-5 Cross-Domain Integration : Understand how concepts connect across domains 2. Balance Theory and Practice 70/30 Rule : Spend 70% of time on hands-on practice, 30% on theory Service Integration Focus : Emphasize how services work together, not just individual features Real-World Scenarios : Practice with business use cases, not just technical exercises 3. Use Multiple Learning Sources Primary Foundation : Start with comprehensive courses (Udemy) Official Validation : Use AWS Skill Builder for authoritative content Practice Reinforcement : Multiple practice exams from different sources Documentation Deep-Dives : Read AWS documentation for specific services Exam Preparation Tips 1. Practice Exam Strategy Progressive Difficulty : Start with easier practice exams, progress to harder ones Multiple Attempts : Take each practice exam at least twice Review Everything : Study explanations for both correct and incorrect answers Time Management : Practice completing exams within time limits 2. Knowledge Gap Identification Track Weak Areas : Maintain a list of topics that need more study Targeted Review : Focus additional study time on identified gaps Concept Mapping : Create visual maps connecting related concepts Peer Discussion : Discuss challenging topics with other candidates 3. Final Week Preparation Review Mode : Focus on review rather than learning new concepts Practice Timing : Take full-length practice exams under exam conditions Rest and Recovery : Ensure adequate sleep and stress management Logistics Preparation : Confirm exam details, location, and requirements Technical Study Tips 1. Service-Specific Focus Areas Amazon Bedrock: Model selection criteria and use cases API patterns and integration methods Knowledge Bases configuration and optimization Guardrails implementation and customization Agents and tool integration patterns Vector Databases and RAG: Embedding generation and management Vector search optimization techniques Chunking strategies and metadata handling Retrieval quality improvement methods Performance tuning and scaling approaches Security and Governance: IAM policies for GenAI services VPC configuration for secure deployments Compliance frameworks and audit requirements Data privacy and PII protection methods Monitoring and alerting best practices 2. Architecture Pattern Recognition Common Patterns : Learn standard GenAI architecture patterns Anti-Patterns : Understand what NOT to do in different scenarios Cost Optimization : Know strategies for reducing operational costs Scalability Considerations : Understand how to design for scale Security Integration : Learn to embed security throughout architectures Exam Day Tips 1. Time Management Question Allocation : ~2.4 minutes per question (205 minutes / 85 questions) First Pass Strategy : Answer easy questions first, mark difficult ones for review Review Time : Reserve 30-45 minutes for reviewing marked questions Don't Overthink : Trust your preparation and avoid second-guessing 2. Question Analysis Techniques Read Carefully : Pay attention to key words like "MOST cost-effective" or "BEST practice" Eliminate Options : Use process of elimination for multiple-choice questions Scenario Focus : Understand the business context and requirements AWS Best Practices : When in doubt, choose the option that follows AWS best practices The Exam Experience Exam Environment and Format Testing Setup: Location : Took the exam at a Pearson VUE testing center Duration : 205 minutes (3 hours 25 minutes) for the beta exam Questions : 85 questions total (mix of multiple choice and multiple response) Interface : Standard Pearson VUE exam interface with review functionality Question Types Encountered: Multiple Choice : Single correct answer from 4-5 options Multiple Response : Select 2-3 correct answers from 5-6 options Scenario-Based : Complex business scenarios requiring architectural decisions Comparison Questions : Choosing between different implementation approaches Question Difficulty and Topics Difficulty Distribution: Easy (20%) : Straightforward service features and basic concepts Medium (60%) : Integration scenarios and best practice applications Hard (20%) : Complex architectural decisions and optimization scenarios Topic Coverage Observed: Heavy Focus : Amazon Bedrock features, RAG implementation, and security practices Moderate Coverage : Cost optimization, monitoring, and troubleshooting Light Coverage : Advanced ML concepts and edge cases Common Question Patterns: "What is the MOST cost-effective way to..." : Cost optimization scenarios "Which approach provides the BEST security..." : Security implementation choices "How should you troubleshoot..." : Problem-solving and debugging scenarios "What is the recommended way to..." : AWS best practices questions My Exam Performance Strategy Time Management Approach (205 minutes total for 85 questions): First Hour (60 minutes) : Completed first 40 questions systematically Focused on questions I was confident about Marked uncertain questions for review but didn't spend too much time Maintained steady pace of ~1.5 minutes per question Second Hour (60 minutes) : Completed remaining 45 questions (questions 41-85) Tackled more complex scenario-based questions Applied elimination strategies for difficult multiple-response questions Used architectural thinking for design-related questions Final 85 minutes : Comprehensive review and refinement Reviewed all marked questions (approximately 15-20 questions) Double-checked multiple-response questions for completeness Refined answers based on second thoughts and fresh perspective Used remaining time to ensure no questions were left unanswered Decision-Making Process: Confidence Levels : Marked questions as confident, uncertain, or need review Elimination Strategy : Ruled out obviously incorrect options first, especially important for multiple-response questions AWS Principles : Applied AWS Well-Architected Framework principles when unsure Practical Experience : Drew heavily on hands-on lab experience for implementation questions Beta Exam Mindset : Approached each question carefully knowing this was a new exam format Results and Feedback Certification Achievement: Passing Score : 750 out of 1000 (75%) My Score : Successfully passed with strong performance across all domains Early Adopter Recognition : Received the exclusive Early Adopter badge as one of the first 5,000 candidates Certification Badge : AWS Certified Generative AI Developer - Professional Additional Achievements: AWS Certified AI Practitioner : Early Adopter Badge AWS Agentic AI Demonstrated Microcredential : Practical Implementation Skills Domain Performance Insights: Domain 1 (31%) : Strong performance - hands-on practice with Amazon Bedrock and RAG systems paid off significantly Domain 2 (26%) : Excellent performance - integration scenarios and API patterns were well-prepared through labs Domain 3 (20%) : Good performance - security labs and guardrails implementation were crucial Domain 4 (12%) : Strong performance - cost optimization focus and monitoring experience helped Domain 5 (11%) : Excellent performance - troubleshooting experience from hands-on labs was invaluable Beta Exam Experience: Question Quality : High-quality questions that accurately reflected real-world GenAI implementation scenarios Difficulty Level : Appropriately challenging for a professional-level certification Time Allocation : 205 minutes was adequate with proper time management strategy Interface : Standard Pearson VUE interface worked well for the beta format Who Should Consider This Certification Ideal Candidates 1. Cloud Developers with AI Interest Background: 2+ years of AWS development experience Familiarity with serverless architectures and APIs Interest in integrating AI capabilities into applications Experience with Python or similar programming languages Career Benefits: Positions you as an AI-enabled cloud developer Opens opportunities in emerging GenAI projects Demonstrates cutting-edge technical skills Increases market value and salary potential 2. AI/ML Engineers Transitioning to Cloud Background: Experience with machine learning concepts and workflows Understanding of model training and deployment Interest in cloud-native AI solutions Familiarity with data processing and analytics Career Benefits: Validates cloud implementation skills Bridges gap between ML theory and cloud practice Opens enterprise AI/ML opportunities Demonstrates production deployment capabilities 3. Solutions Architects Specializing in AI Background: AWS Solutions Architect certification Experience designing cloud architectures Interest in AI/ML solution design Understanding of enterprise requirements and constraints Career Benefits: Specializes your architecture skills in high-demand area Positions you for AI transformation projects Increases consulting and advisory opportunities Demonstrates thought leadership in emerging technologies 4. Technical Leaders and Engineering Managers Background: Leadership experience in technology teams Understanding of software development lifecycle Interest in AI strategy and implementation Experience with technology evaluation and adoption Career Benefits: Validates technical leadership in AI initiatives Enables informed decision-making about AI investments Demonstrates commitment to emerging technologies Positions you for AI transformation leadership roles Prerequisites and Preparation Time Minimum Prerequisites AWS Experience : 2+ years with core AWS services Development Background : API development and cloud architectures AI/ML Exposure : Basic understanding of AI/ML concepts (can be learned during prep) Programming Skills : Python familiarity for hands-on labs Recommended Preparation Time by Background Experienced AWS Developers (2+ AWS certs): Preparation Time : 2-3 weeks intensive study Focus Areas : GenAI concepts, Amazon Bedrock, RAG implementation Key Resources : AWS Skill Builder + practice exams AI/ML Engineers (New to AWS): Preparation Time : 4-6 weeks Focus Areas : AWS services, cloud architectures, service integration Key Resources : AWS fundamentals + GenAI specialization Cloud Architects (Limited AI/ML background): Preparation Time : 3-4 weeks Focus Areas : AI/ML concepts, GenAI implementation patterns Key Resources : Comprehensive courses + hands-on labs Career Changers (New to both AWS and AI/ML): Preparation Time : 8-12 weeks Focus Areas : AWS fundamentals + AI/ML basics + GenAI specialization Key Resources : Full learning path from basics to advanced What's Next After Certification? Immediate Career Opportunities 1. GenAI Application Developer Role Focus: Building production GenAI applications using AWS services Implementing RAG systems and conversational AI interfaces Integrating AI capabilities into existing business applications Optimizing performance and cost of GenAI solutions Salary Range : $120,000 - $180,000 (varies by location and experience) 2. AI Solutions Architect Role Focus: Designing enterprise GenAI architectures Leading AI transformation initiatives Consulting on AI strategy and implementation Bridging business requirements with technical solutions Salary Range : $140,000 - $220,000 (varies by location and experience) 3. GenAI Platform Engineer Role Focus: Building and maintaining GenAI infrastructure platforms Implementing MLOps and AI governance frameworks Optimizing AI workload performance and costs Ensuring security and compliance of AI systems Salary Range : $130,000 - $200,000 (varies by location and experience) Continuing Education and Skill Development 1. Advanced AWS Certifications Recommended Next Steps: AWS Certified Machine Learning - Specialty : Broader ML knowledge AWS Certified Solutions Architect - Professional : Advanced architecture skills AWS Certified DevOps Engineer - Professional : MLOps and automation skills 2. Complementary Skills Technical Skills: Advanced Python : Data science libraries and frameworks MLOps Tools : Kubeflow, MLflow, and CI/CD for ML Data Engineering : Data pipelines and analytics platforms Security Specialization : AI security and governance frameworks Business Skills: AI Strategy : Understanding business value and ROI of AI initiatives Project Management : Leading AI transformation projects Communication : Explaining AI concepts to non-technical stakeholders Ethics and Governance : Responsible AI and regulatory compliance 3. Industry Specialization Vertical Expertise: Healthcare AI : HIPAA compliance and medical AI applications Financial Services : Regulatory compliance and risk management Retail and E-commerce : Personalization and recommendation systems Manufacturing : Predictive maintenance and quality control Building Your Professional Brand 1. Content Creation and Thought Leadership Blog Writing: Share your certification journey and lessons learned Write technical tutorials on GenAI implementation Discuss best practices and architectural patterns Review new AWS AI services and features Speaking and Presenting: Present at local AWS user groups and meetups Submit talks to conferences on AI and cloud topics Create video content and tutorials Participate in podcasts and webinars 2. Community Engagement Professional Networks: Join AWS AI/ML community groups Participate in GenAI forums and discussions Contribute to open-source AI projects Mentor others pursuing similar certifications Continuous Learning: Stay updated with AWS AI service announcements Follow AI research and industry trends Experiment with new GenAI tools and frameworks Participate in hackathons and AI competitions Resources That Made the Difference Primary Study Resources 1. Ultimate AWS Certified Generative AI Developer Professional (Udemy) Comprehensive 24-hour course by Frank Kane and Stéphane Maarek 75-question practice exam with detailed explanations Hands-on assignments and real-world scenarios Course Link : Udemy Course 2. AWS Skill Builder - Generative AI Developer Advanced Learning Plan Official AWS training with 35+ hours of content 22 courses covering all exam domains Hands-on labs with real AWS environment Learning Plan Link : AWS Skill Builder 3. AWS Exam Prep Plan: AIP-C01 Official exam preparation with domain-specific practice AWS SimuLearn AI-powered scenarios Official practice questions and pretest Exam Prep Plan Link : AWS Skill Builder Exam Prep Complementary Learning: AWS Generative AI for Developers Professional Certificate For those seeking additional foundational knowledge, the AWS Generative AI for Developers Professional Certificate (available on Coursera and edX ) provides an excellent complement to certification preparation. Certificate Program Overview Duration : 15-20 hours across three courses Format : Self-paced learning with hands-on labs Focus : Practical application using Amazon Bedrock and Amazon Q Developer Target Audience : Students and early-to-mid career developers Hands-on Learning : Python-based Jupyter notebook labs with real AWS Management Console experience Course Structure Course 1: Getting Started with AWS Generative AI for Developers Foundation model invocation using Amazon Bedrock APIs Amazon Bedrock Runtime APIs (InvokeModel, InvokeModelWithResponseStream, StartAsyncInvoke) Streaming responses and provisioned throughput implementation Amazon Q Developer agentic capabilities for development acceleration Guardrails implementation for responsible AI usage Course 2: Generative AI Applications with Amazon Bedrock Amazon Bedrock Knowledge Bases for complete RAG workflows Amazon Bedrock Prompt Management and Flows for versioned templates Generative AI agents (agentic AI) for task automation Amazon Bedrock Agents configuration and deployment with tool integrations Context-aware, domain-specific AI interactions Course 3: Amazon Bedrock Customization, Optimization & Automation Model customization techniques (fine-tuning and continued pre-training) Amazon Bedrock Evaluations for model performance assessment and comparison Prompt caching strategies for improved response times Amazon Bedrock Data Automation for processing and transforming large datasets Command-line automation using Amazon Q Developer Why This Certificate Complements Certification Prep Foundation Building : Solid understanding of generative AI concepts before diving into professional-level topics Practical Application : Real-world scenarios using AWS Management Console and Python APIs Career Acceleration : Skills in high demand for modern cloud computing roles Hands-on Experience : Direct experience with the same services covered in the certification exam Self-Paced Learning : Flexible timeline that can complement intensive certification study Additional Practice Resources 4. AWS Certified Generative AI Developer Pro - 4 Mock Exams (Udemy) 275 unique practice questions across 4 comprehensive tests Created by AWS AI Early Adopter with recent exam experience Detailed explanations with direct links to AWS documentation Progressive difficulty from foundations to advanced concepts Course Link : 4 Mock Exams Course 5. Premium Practice Exams by Stéphane Maarek & Abhishek Singh 100 expert-crafted questions in 2 strategic practice tests Human-designed content (not AI-generated) for authentic exam experience Pass guarantee if scoring 90%+ on practice exams Created by instructors with collective 20 AWS certifications Course Link : Available on Udemy (search for "Practice Exams AWS Certified Generative AI Developer Pro") Additional Resources AWS Documentation : Official service documentation and best practices guides Hands-on Labs : Both course assignments and self-created experiments in personal AWS account Practice Exams : Multiple sources for comprehensive question exposure AWS Console : Extensive hands-on practice with actual AWS services Supplementary AWS Resources Official AWS Documentation and Guidance Generative AI on AWS - How to Choose : Comprehensive guide for selecting the right GenAI approach GenAI Workload Assessment Guide : Prescriptive guidance for evaluating GenAI workloads Amazon Textract Hands-on Guide : Document processing integration patterns AWS Workshops and Hands-on Labs Amazon Nova Multimodal Understanding : Latest multimodal AI capabilities Amazon Q Business Workshop : Enterprise AI assistant implementation Building with Amazon Bedrock : Comprehensive Bedrock development workshop QnABot Workshop : Question-answering bot development Building GenAI Apps with Foundation Models : End-to-end application development Advanced GenAI Workshop : Advanced implementation patterns GenAI Architecture Workshop : Enterprise architecture patterns Advanced Bedrock Workshop : Deep dive into Bedrock capabilities AWS SimuLearn Interactive Learning Prompt Engineering with Amazon Bedrock : Interactive prompt engineering practice Fine-tuning LLM on SageMaker : Advanced model customization Building Generative AI Applications : Comprehensive application development AWS Solutions and Implementation Guides AI Assistants with Amazon Q Business : Enterprise AI assistant solutions Intelligent Document Processing : Document AI implementation guidance Enhanced Document Understanding : Advanced document processing solutions Video Resources AWS GenAI Deep Dive : Technical deep dive into AWS GenAI services Bedrock Implementation Patterns : Real-world implementation examples My Complete Study Notes Collection All my handwritten study notes from the certification journey are available on GitHub for reference: 📝 Complete Study Notes Collection These 43 pages of detailed handwritten notes cover all exam domains, key concepts, implementation patterns, and study strategies that helped me pass the exam. Feel free to reference them for your own preparation! Final Thoughts Two weeks of focused study was sufficient, but the key was the structured approach and emphasis on hands-on practice. The combination of comprehensive video training, official AWS resources, and intensive practice exams provided both breadth and depth needed for this professional-level certification. Key Success Factors 1. Structured Learning Approach Progressive Difficulty : Building from foundations to advanced concepts Multiple Learning Modalities : Video, hands-on labs, practice exams, and documentation Official Validation : Using AWS resources to ensure accuracy and currency Comprehensive Practice : Multiple practice exam sources for thorough preparation 2. Hands-On Experience Priority 70/30 Rule : Emphasizing practical experience over theoretical study Real AWS Environment : Using actual AWS services, not just simulators Integration Focus : Understanding how services work together in real scenarios Troubleshooting Skills : Learning to diagnose and resolve common issues 3. Exam-Focused Preparation Domain Weighting : Allocating study time based on exam domain percentages Question Pattern Recognition : Understanding AWS exam question styles and traps Time Management : Practicing exam timing and review strategies Confidence Building : Progressive difficulty in practice exams Advice for Future Candidates If You're Considering This Certification: Assess Your Background : Honestly evaluate your AWS and AI/ML experience Plan Your Timeline : Allow adequate time based on your starting point Invest in Quality Resources : Use reputable courses and official AWS materials Prioritize Hands-On Practice : Labs and real AWS experience are crucial Take Multiple Practice Exams : Different sources provide varied question styles If You're Currently Studying: Stay Consistent : Regular daily study is more effective than cramming Document Your Learning : Keep notes and create reference materials Join Study Groups : Connect with other candidates for support and discussion Ask Questions : Use forums and communities when you're stuck Practice Time Management : Simulate real exam conditions If You're Planning to Take the Exam: Schedule Strategically : Book your exam when you're consistently scoring 85%+ on practice tests Prepare Logistics : Confirm exam location, requirements, and backup plans Manage Stress : Ensure adequate rest and stress management before exam day Trust Your Preparation : Confidence in your study approach is crucial for success The Future of GenAI Certifications This certification represents AWS's commitment to the rapidly evolving GenAI landscape. As the field continues to advance, I expect: Regular Updates : Exam content will evolve with new AWS AI services and features Increased Demand : More organizations will require GenAI expertise for their teams Specialization Opportunities : Additional certifications may emerge for specific GenAI domains Industry Recognition : This certification will become increasingly valuable as GenAI adoption grows Personal Impact and Career Growth Earning this certification has already opened new opportunities and conversations about AI initiatives. The knowledge gained extends far beyond exam preparation - it's provided a comprehensive understanding of how to build production-grade GenAI solutions that deliver real business value. The early adopter badge adds extra recognition, but the real value lies in the practical skills and architectural understanding gained through the preparation process. Series Conclusion: This three-part series has covered my complete journey from initial planning through exam success. The structured approach, emphasis on hands-on practice, and comprehensive resource utilization made the difference in achieving certification in just two weeks. Whether you're just starting your GenAI journey or looking to validate existing skills, this certification provides a valuable framework for understanding and implementing production-grade generative AI solutions on AWS. Have questions about any part of this certification journey? Feel free to reach out in the comments below! I'm happy to help fellow candidates succeed in their AWS GenAI certification goals. Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct • Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse MakendranG Follow Location Puducherry Work Site Reliability Engineer in MindTree Joined Apr 20, 2022 More from MakendranG AWS Certified Generative AI Developer – Professional in 2 Weeks (Part 2: Advanced Learning & Exam Prep) # ai # aws # career # learning AWS Certified Generative AI Developer – Professional: Exam Overview & Foundation Strategy (Part 1) # ai # machinelearning # aws # certification I Built a Recipe App That Sees Your Ingredients with Google Gemini # google # gemini # ai 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://tailwindcss.com/
Tailwind CSS - Rapidly build modern websites without ever leaving your HTML. v4.1 ⌘K Ctrl K Docs Blog Showcase Sponsor Plus text-4xl text-5xl text-6xl text-8xl text-gray-950 text-white tracking-tighter text-balance Rapidly build modern websites without ever leaving your HTML. text-lg text-gray-950 text-white font-medium A utility-first CSS framework packed with classes like flex , pt-4 , text-center and rotate-90 that can be composed to build any design, directly in your markup. Get started Get started Quick search ⌘ K Ctrl  K < div class = "flex flex-col items-center rounded-2xl" > < div > < img class = "size-48 shadow-xl " alt = "" src = "/img/cover.png" /> </ div > < div class = "flex " > < span > Class Warfare </ span > < span > The Anti-Patterns </ span > < span class = "flex " > < span > No. 4 </ span > < span > · </ span > < span > 2025 </ span > </ span > </ div > </ div > Class Warfare The Anti-Patterns No. 4 · 2025 text-4xl text-gray-950 text-white tracking-tighter text-balance Sponsors Supported by the best. text-base text-gray-950 text-white Tailwind is supported by incredible partners and sponsors who make it possible for a team of talented designers and engineers to maintain the framework full-time. Become a sponsor text-4xl text-gray-950 text-white tracking-tighter text-balance Why Tailwind CSS? Built for the modern web. text-base text-gray-950 text-white Tailwind is unapologetically modern, and takes advantage of all the latest and greatest CSS features to make the developer experience as enjoyable as possible. Responsive design Okay, it’s not exactly cutting edge, but just throw a screen size in front of literally any utility to apply it at a specific breakpoint. Mobile sm md lg xl Entire house Beach House on Lake Huron Entire house Beach House on Lake Huron 2.66 (128 reviews) · Bayfield, ON Check availability This sunny and spacious room is for those traveling light and looking for a comfy and cozy place to lay their head for a night... Show more Show more Check availability Filters What’s a website these days without a few backdrop blurs? Keep stacking filters until your designer asks you to please, please stop. blur-sm brightness-150 grayscale contrast-150 saturate-200 sepia Dark mode If you’re not a fan of burning your retinas, just stick dark: in front of any color to apply it in dark mode. CSS variables Customizing your theme is as simple as creating a few CSS variables. @theme { --font-sans : "Inter" , sans-serif ; --font-mono : "IBM Plex Mono" , monospace ; --text-tiny : 0.625 rem ; --text-tiny--line-height : 1.5 rem ; --color-mint-100 : oklch ( 0.97 0.15 145 ); --color-mint-200 : oklch ( 0.92 0.18 145 ); --color-mint-300 : oklch ( 0.85 0.22 145 ); --color-mint-400 : oklch ( 0.78 0.25 145 ); --color-mint-500 : oklch ( 0.7 0.28 145 ); --color-mint-600 : oklch ( 0.63 0.3 145 ); --color-mint-700 : oklch ( 0.56 0.32 145 ); --color-mint-800 : oklch ( 0.48 0.35 145 ); --color-mint-900 : oklch ( 0.4 0.37 145 ); --color-mint-950 : oklch ( 0.3 0.4 145 ); } P3 colors The color palette now uses more vibrant wide gamut colors without you needing to understand what any of that even means. red orange amber yellow lime green emerald teal cyan sky blue indigo violet purple fuchsia pink rose 950 900 800 700 600 500 400 300 200 100 50 CSS grid layout Using grid utilities directly in your HTML makes it so much easier to reason about complex layouts. Browse properties Treehouses Mansions Lakefront cottages Designer homes Transitions and animations Transitions that work the way you'd expect — throw a few utilities on an element and you're in business. transition duration-750 linear transition duration-750 ease-out transition duration-750 ease-in-out transition duration-750 ease-in Cascade layers Tailwind uses CSS layers so you don’t have to worry about specificity issues. @layer theme , base , components , utilities ; @layer theme { :root { /* Your theme variables */ } } @layer base { /* Preflight styles */ } @layer components { /* Your custom components */ } @layer utilities { /* Your utility classes */ } Logical properties Supporting multiple language text directions is no longer a nightmare. ltr rtl Will Winton Director of Operations Kristin Yardly Marketing Coordinator Emanual Cuccittini Staff Engineer Kiara Smith VP of Engineering سارة أحمد مديرة مشاريع علي محمد مطور برمجيات خالد عمر مصمم واجهات المستخدم Container queries Tag an element as a container to let children adapt to changes in its size. < div class = " @container " > < div class = "grid grid-cols-1 @sm:grid-cols-2 " > < img src = "/img/photo-1.jpg" class = "aspect-square @sm:aspect-3/2 object-cover" /> < img src = "/img/photo-2.jpg" class = "aspect-square @sm:aspect-3/2 object-cover" /> < img src = "/img/photo-3.jpg" class = "aspect-square @sm:aspect-3/2 object-cover" /> < img src = "/img/photo-4.jpg" class = "aspect-square @sm:aspect-3/2 object-cover" /> </ div > </ div > Gradients No need to remember that complicated gradient syntax — create silky-smooth gradients with just a few utility classes. Power Meets Precision Redefining real-time performance Our next-generation rendering engine delivers unmatched speed and efficiency, empowering creators to push boundaries like never before. Render time performance 6.4x Real-time frame rate 4.2x Multi-platform build time 2.7x 3D transforms Sometimes two dimensions aren’t enough. Scale, rotate, and translate any element in 3D space to add a touch of depth. text-4xl text-gray-950 text-white tracking-tighter text-balance How it works Ship faster and smaller. text-base text-gray-950 text-white Tailwind automatically removes all unused CSS when building for production, which means your final CSS bundle is the smallest it could possibly be. In fact, most Tailwind projects ship less than 10kB of CSS to the client. index.html app.css package.json <! DOCTYPE html > < html lang = "en" > < head > < meta charset = "UTF-8" /> < meta name = "viewport" content = "width=device-width, initial-scale=1.0" /> < title > Tailwind CSS </ title > < link rel = "stylesheet" href = "/build.css" /> </ head > < body > < button class = " " ></ button > </ body > </ html > Terminal build.css @layer utilities { } text-4xl text-gray-950 text-white tracking-tighter Tailwind in the wild Build whatever you want, without touching your CSS file. text-base text-gray-950 text-white Because Tailwind is so low-level, it never encourages you to design the same site twice. Some of your favorite sites are built with Tailwind, and you probably had no idea. openai.com opalcamera.com feastables.com gumroad.com skims.com reddit.com rivian.com shopify.com clerk.dev theverge.com io.google ted.com poolside.ai midjourney.com jpl.nasa.gov text-4xl text-gray-950 text-white tracking-tighter text-balance Ready-made Components Move even faster with Tailwind Plus. text-base text-gray-950 text-white Tailwind Plus is a collection of beautiful, fully responsive UI components, designed and developed by us, the creators of Tailwind CSS. It's got hundreds of ready-to-use examples to choose from, and is guaranteed to help you find the perfect starting point for what you want to build. Explore Tailwind Plus Templates Visually-stunning, easy to customize site templates built with React and Next.js. UI Blocks Over 500+ professionally designed, fully responsive, expertly crafted components. UI Kit A starter kit for building your own component systems with React and Tailwind CSS. Tailwind CSS Documentation Playground Blog Showcase Sponsor Resources Refactoring UI Headless UI Heroicons Hero Patterns Tailwind Plus UI Blocks Templates UI Kit Community GitHub Discord X Tailwind CSS Documentation Playground Blog Showcase Sponsor Tailwind Plus UI Blocks Templates UI Kit Resources Refactoring UI Headless UI Heroicons Hero Patterns Community GitHub Discord X Copyright © 2025 Tailwind Labs Inc. · Trademark Policy
2026-01-13T08:49:19
https://www.git-tower.com/learn/cheat-sheets/git-for-svn
Git for Subversion Users | Learn Version Control with Git Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Git for Subversion Users Download our popular cheat sheet to make switching to Git easier From Subversion to Git - A Cheat Sheet Sometimes, prior knowledge can be a disadvantage. For example when you're starting with Git - while trying to approach it like a new Subversion. You'll have to let go of a couple of old concepts before you can understand the new ones. Our cheat sheet compares the most important tasks in both systems - and helps you make the switch to Git! Download the Cheat Sheet Get 17 of our most popular Cheat Sheets in one handy ZIP! Download Now for Free Download the Cheat Sheet Get 17 of our most popular Cheat Sheets in one handy ZIP! Download Now for Free Giveaways. Cheat Sheets. eBooks. Discounts. And great content from our blog! Yes, I want the free newsletter that's loved by over 100,000 developers and designers. It's free, it's sent infrequently (approx. once a month) and you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://forem.com/allenheltondev#main-content
Allen Helton - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn't have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we're building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We're here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Allen Helton AWS Serverless Hero • Father • Tech Blogger • Podcast Host • Poultry Rancher Location Texas Joined Joined on  Apr 5, 2019 Personal website https://readysetcloud.io github website twitter website Work Ecosystem Engineer at Momento Six Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least six years. Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close 16 Week Writing Streak You are a writing star! You've written at least one post per week for 16 straight weeks. Congratulations! Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close Top 7 Awarded for having a post featured in the weekly "must-reads" list. 🙌 Got it Close 8 Week Writing Streak The streak continues! You've written at least one post per week for 8 consecutive weeks. Unlock the 16-week badge next! Got it Close 4 Week Writing Streak You've posted at least one post per week for 4 consecutive weeks! Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close More info about @allenheltondev Organizations AWS Heroes AWS Community Builders Momento Skills/Languages AWS, Node.js, serverless, noSQL, Currently learning Event Driven Architectures, WebSockets Post 149 posts published Comment 44 comments written Tag 9 tags followed When serving images from S3 stopped being good enough Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jan 7 When serving images from S3 stopped being good enough # serverless # blogging 2  reactions Comments Add Comment 6 min read Want to connect with Allen Helton? Create an account to connect with Allen Helton. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in The Real Cost of Swapping Infrastructure Allen Helton Allen Helton Allen Helton Follow Dec 15 '25 The Real Cost of Swapping Infrastructure # infrastructure # architecture # platformengineering 1  reaction Comments Add Comment 3 min read Breakthroughs are just boring improvements that pile up Allen Helton Allen Helton Allen Helton Follow Nov 24 '25 Breakthroughs are just boring improvements that pile up # engineering # innovation Comments Add Comment 6 min read Cache Rebalancing Was Broken. Here's How They Fixed It. Allen Helton Allen Helton Allen Helton Follow Nov 18 '25 Cache Rebalancing Was Broken. Here's How They Fixed It. # caching # distributedsystems # cloud 2  reactions Comments Add Comment 3 min read Designing smarter caches with Valkey 9.0's numbered databases Allen Helton Allen Helton Allen Helton Follow Nov 7 '25 Designing smarter caches with Valkey 9.0's numbered databases # caching # valkey # distributedsystems Comments Add Comment 5 min read This is the best new feature from POST/CON Allen Helton Allen Helton Allen Helton Follow May 1 '24 This is the best new feature from POST/CON # tech # postman # api 1  reaction Comments Add Comment 7 min read Serverless Postgres with Neon - My first impression Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 24 '24 Serverless Postgres with Neon - My first impression # serverless # database # dx 6  reactions Comments Add Comment 8 min read Show your personality Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 17 '24 Show your personality # personalgrowth # career 5  reactions Comments Add Comment 6 min read How to trigger events every 30 seconds in AWS Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 10 '24 How to trigger events every 30 seconds in AWS # serverless # aws # stepfunctions 9  reactions Comments 1  comment 11 min read I didn't know it did that - Postman Postbot Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 3 '24 I didn't know it did that - Postman Postbot # api # postman # ai 4  reactions Comments Add Comment 9 min read Be an enabler Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Mar 27 '24 Be an enabler # personalgrowth # career 9  reactions Comments 5  comments 6 min read How I Built Automatic Click-Tracking and Content Spotlights For My Website Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Feb 21 '24 How I Built Automatic Click-Tracking and Content Spotlights For My Website # serverless # automation # eventdriven 2  reactions Comments Add Comment 9 min read How to create a Slack workflow with webhooks in Momento Topics Allen Helton Allen Helton Allen Helton Follow for Momento Feb 1 '24 How to create a Slack workflow with webhooks in Momento Topics # serverless # momento # eventdriven Comments Add Comment 4 min read Building For Interactivity: When Async Is Not Enough Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jan 17 '24 Building For Interactivity: When Async Is Not Enough # ux # api # design 4  reactions Comments 1  comment 8 min read How I Built A Santa Chatbot To Mess With My Brother Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Dec 16 '23 How I Built A Santa Chatbot To Mess With My Brother # serverless # ai # momento 5  reactions Comments 1  comment 14 min read This Is NOT A Re:Invent Recap Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Dec 6 '23 This Is NOT A Re:Invent Recap # personalgrowth # community # aws 2  reactions Comments Add Comment 7 min read Using AI To Go From JSON to API in Seconds Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Nov 15 '23 Using AI To Go From JSON to API in Seconds # ai # api # dx 5  reactions Comments Add Comment 8 min read How I Used Amazon Bedrock to Write, Schedule, and Post My Tweets Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Nov 1 '23 How I Used Amazon Bedrock to Write, Schedule, and Post My Tweets # serverless # ai # automation 4  reactions Comments 3  comments 8 min read WebSockets, gRPC, MQTT, and SSE - Which Real-Time Notification Method Is For You? Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Oct 18 '23 WebSockets, gRPC, MQTT, and SSE - Which Real-Time Notification Method Is For You? # tech # eventdriven # websockets # postman 5  reactions Comments Add Comment 7 min read Test-Driven Development with AI: The Right Way to Code Using Generative AI Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Oct 4 '23 Test-Driven Development with AI: The Right Way to Code Using Generative AI # applicationdevelopment # ai 13  reactions Comments 2  comments 8 min read Seriously, Write Your API Spec First Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Sep 27 '23 Seriously, Write Your API Spec First # applicationdevelopment # api 2  reactions Comments 2  comments 5 min read Turn Any API Into An Event-Driven Engine Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Sep 20 '23 Turn Any API Into An Event-Driven Engine # api # eventdriven # opensource 6  reactions Comments Add Comment 7 min read Momento - A Front-end Developer’s Best Kept Secret 🤫 Allen Helton Allen Helton Allen Helton Follow for Momento Sep 19 '23 Momento - A Front-end Developer’s Best Kept Secret 🤫 # webdev # ui # momento 1  reaction Comments Add Comment 6 min read API keys vs tokens - what’s the difference? Allen Helton Allen Helton Allen Helton Follow for Momento Sep 7 '23 API keys vs tokens - what’s the difference? # security # api 2  reactions Comments 1  comment 4 min read How to Process Stripe Subscriptions In Your Serverless Apps Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Sep 6 '23 How to Process Stripe Subscriptions In Your Serverless Apps # serverless # saas # stripe 5  reactions Comments 3  comments 8 min read Building an interactive live reaction app with Next.js and Momento🎯 Allen Helton Allen Helton Allen Helton Follow for Momento Aug 29 '23 Building an interactive live reaction app with Next.js and Momento🎯 # nextjs # websocket # frontend 10  reactions Comments Add Comment 9 min read Is Coding On Its Way Out? Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Aug 23 '23 Is Coding On Its Way Out? # applicationdevelopment # ai # programming 15  reactions Comments 5  comments 5 min read How we built Momento Topics, a serverless WebSocket service Allen Helton Allen Helton Allen Helton Follow for Momento Aug 22 '23 How we built Momento Topics, a serverless WebSocket service # momento # websocket # serverless Comments 2  comments 8 min read A Beginner's Guide to the Serverless Application Model (SAM) Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Aug 16 '23 A Beginner's Guide to the Serverless Application Model (SAM) # serverless # aws # applicationdevelopment 14  reactions Comments 2  comments 8 min read Why are WebSockets so hard? Allen Helton Allen Helton Allen Helton Follow for Momento Aug 15 '23 Why are WebSockets so hard? # frontend # momento # websockets 2  reactions Comments 3  comments 7 min read What Is "Production-Grade" Software? Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Aug 9 '23 What Is "Production-Grade" Software? # applicationdevelopment # programming # observability 2  reactions Comments Add Comment 6 min read Solo SaaS - How I Built a Serverless Workout App By Myself Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jul 31 '23 Solo SaaS - How I Built a Serverless Workout App By Myself # applicationdevelopment # serverless # aws 11  reactions Comments Add Comment 9 min read Prompt Engineering: The Future of AI-Driven Development Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jun 14 '23 Prompt Engineering: The Future of AI-Driven Development # ai # chatgpt # development 11  reactions Comments 2  comments 8 min read Making Sense of Cross-Posting: Knowing Where And Why to Publish Your Content Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jun 7 '23 Making Sense of Cross-Posting: Knowing Where And Why to Publish Your Content # blogging # serverless 8  reactions Comments Add Comment 11 min read ChatGPT Changed How I Write Software Allen Helton Allen Helton Allen Helton Follow for AWS Heroes May 31 '23 ChatGPT Changed How I Write Software # ai # chatgpt 14  reactions Comments 2  comments 8 min read Why Community Is The Best Source of Growth For Your Tech Career Allen Helton Allen Helton Allen Helton Follow for AWS Heroes May 24 '23 Why Community Is The Best Source of Growth For Your Tech Career # tech # aws 3  reactions Comments Add Comment 6 min read Level Up Your Blog With Writer Analytics and Text-to-Speech Allen Helton Allen Helton Allen Helton Follow for AWS Heroes May 17 '23 Level Up Your Blog With Writer Analytics and Text-to-Speech # serverless # automation # blog 3  reactions Comments Add Comment 8 min read Serverless Speed Test: Comparing Lambda, Step Functions, App Runner, and Direct Integrations Allen Helton Allen Helton Allen Helton Follow for AWS Heroes May 10 '23 Serverless Speed Test: Comparing Lambda, Step Functions, App Runner, and Direct Integrations # serverless # aws 3  reactions Comments Add Comment 7 min read Are We Making Lambda Too Hard? Allen Helton Allen Helton Allen Helton Follow for AWS Heroes May 3 '23 Are We Making Lambda Too Hard? # serverless # aws 10  reactions Comments 3  comments 7 min read Build What Matters Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 27 '23 Build What Matters # applicationdevelopment # serverless 4  reactions Comments Add Comment 4 min read The Serverless Toolbox - Tools To Build Serverless Apps Easier Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 19 '23 The Serverless Toolbox - Tools To Build Serverless Apps Easier # serverless # aws 4  reactions Comments 2  comments 6 min read My ChatGPT Workout Generator Just Got Better Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 12 '23 My ChatGPT Workout Generator Just Got Better # applicationdevelopment # serverless 4  reactions Comments Add Comment 6 min read Are Serverless Services Worth It? Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Apr 5 '23 Are Serverless Services Worth It? # applicationdevelopment # serverless 5  reactions Comments Add Comment 7 min read The Solution Architect's Guide to Serverless Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Mar 29 '23 The Solution Architect's Guide to Serverless # solutionsarchitect # serverless 17  reactions Comments 1  comment 8 min read Build Faster and Easier APIs With User Sessions Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Mar 22 '23 Build Faster and Easier APIs With User Sessions # applicationdevelopment # api # serverless 3  reactions Comments Add Comment 6 min read Why API Specs Are the Backbone of Successful Development Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Mar 15 '23 Why API Specs Are the Backbone of Successful Development # applicationdevelopment # api 4  reactions Comments Add Comment 6 min read Building a Serverless Post Scheduler For Static Websites Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Mar 8 '23 Building a Serverless Post Scheduler For Static Websites # serverless # development 4  reactions Comments 1  comment 7 min read Serverless Lessons - Location Is Everything! Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Mar 1 '23 Serverless Lessons - Location Is Everything! # serverless # development 6  reactions Comments Add Comment 7 min read Automate Your Life and Save Time By Going Serverless Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Feb 22 '23 Automate Your Life and Save Time By Going Serverless # watercooler # showcase # gratitude # love 6  reactions Comments Add Comment 6 min read 5 Tips for Building the Best Developer Experience Possible Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Feb 15 '23 5 Tips for Building the Best Developer Experience Possible # ai # productivity # career 6  reactions Comments Add Comment 9 min read ChatGPT Is My New Personal Trainer Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Feb 8 '23 ChatGPT Is My New Personal Trainer # fintech # productivity # featurerequest 25  reactions Comments 4  comments 8 min read The Risks of Moving Too Quickly with Serverless Development Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Feb 1 '23 The Risks of Moving Too Quickly with Serverless Development # serverless # aws 8  reactions Comments 1  comment 9 min read Growing Your Career in the Evolving Tech Field Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jan 25 '23 Growing Your Career in the Evolving Tech Field # discuss # softwareengineering # development # productivity 6  reactions Comments Add Comment 9 min read I Have Good News And Bad News About Your Cloud Metrics Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jan 18 '23 I Have Good News And Bad News About Your Cloud Metrics # discuss # design # webdev # a11y 7  reactions Comments 2  comments 6 min read How I Built An Open Source Serverless Newsletter Platform Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jan 11 '23 How I Built An Open Source Serverless Newsletter Platform # serverless # blogging # opensource 12  reactions Comments Add Comment 8 min read Serverless In 2023 - A Shift In Focus Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Jan 4 '23 Serverless In 2023 - A Shift In Focus # serverless # observability 9  reactions Comments Add Comment 5 min read 2022 in Serverless Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Dec 28 '22 2022 in Serverless # github 7  reactions Comments Add Comment 11 min read Lessons Learned From Writing 50 Blog Posts In A Year Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Dec 21 '22 Lessons Learned From Writing 50 Blog Posts In A Year # personalgrowth # blog # career 15  reactions Comments 4  comments 6 min read I Built a Serverless App To Cross-Post My Blogs Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Dec 14 '22 I Built a Serverless App To Cross-Post My Blogs # serverless # aws # blog 10  reactions Comments Add Comment 8 min read I Don't Know What Serverless Is Anymore Allen Helton Allen Helton Allen Helton Follow for AWS Heroes Dec 7 '22 I Don't Know What Serverless Is Anymore # aws # serverless 11  reactions Comments 1  comment 5 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community © 2016 - 2026. We're a blogging-forward open source social network where we learn from one another Log in Create account
2026-01-13T08:49:19
https://devdosvid.blog
devDosvid blog 🏠 Home RSS Feed All posts About me Post Series devDosvid blog This blog shares my experience and findings related to technologies I use in my day-to-day work, and all-around-devops practices. Thank you for reading me! Delegate for Growth: Scaling Your Impact Through Others As senior engineers, we often hit the ceiling at some point: our individual output is high, but writing more code or spinning up one more cluster does not feel like the best way to make more impact. A more significant impact comes from multiplying our efforts. But how do you do that without a team reporting to you? How do you effectively involve peers in your projects, influencing their priorities when you don’t control their backlog or performance review? ... April 4, 2025  · Serhii Vasylenko Aws S3 Cost Optimization: Removing Redundancy and Implementing Intelligent Tiering Legacy setups can hide costs, and sometimes big. By challenging this, I learned some cool stuff about S3 Intelligent-Tiering and Lifecycle Configuration. January 29, 2025  · Serhii Vasylenko Unpacking AWS Outages: System Design Lessons from Post-Event Summaries Explore AWS outage case studies, uncovering essential strategies for building resilient systems by understanding dependencies and preventing cascading failures June 3, 2024  · Serhii Vasylenko A Deep Dive Into Terraform Static Code Analysis Tools: Features and Comparisons Explore key features and comparisons of top Terraform static code analysis tools to enhance security and compliance in your infrastructure management. April 16, 2024  · Serhii Vasylenko Mastering AWS API Gateway V2 HTTP and AWS Lambda With Terraform The article provides insights into using AWS API Gateway and AWS Lambda with Terraform for efficient, cost-effective serverless solutions. January 9, 2024  · Serhii Vasylenko Hello Terraform Data; Goodbye Null Resource Native built-in replacement for null_resource with Terraform 1.4 April 16, 2023  · Serhii Vasylenko Five Practical Ways To Get The Verified EC2 AMI How to find the AMI you cat trust among thousands available in AWS July 24, 2022  · Serhii Vasylenko Golden Image Pipelines With HCP Packer How to create an end-to-end golden image workflow with the HCP Packer image registry June 26, 2022  · Serhii Vasylenko New Lifecycle Options and Refactoring Capabilities in Terraform 1.1 and 1.2 Terraform code refactoring and resource lifecycle conditions, and triggers — now natively available May 4, 2022  · Serhii Vasylenko Monterey Shortcuts for Easy and Fast Image Processing Some handy automation for image processing with Apple Shortcuts on your Mac January 31, 2022  · Serhii Vasylenko Next  » From Ukrainian with love ❤️ Powered by Hugo & PaperMod
2026-01-13T08:49:19
https://www.python.org/events/#top
Our Events | Python.org Notice: While JavaScript is not essential for this website, your interaction with the content will be limited. Please turn JavaScript on for the full experience. Skip to content ▼ Close Python PSF Docs PyPI Jobs Community ▲ The Python Network Donate ≡ Menu Search This Site GO A A Smaller Larger Reset Socialize LinkedIn Mastodon Chat on IRC Twitter About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner's Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Upcoming Events Python Meeting Düsseldorf 14 Jan. 2026 2026 5pm UTC – 8pm UTC Düsseldorf, Germany Python Leiden User Group 22 Jan. 2026 2026 6:15pm UTC – 9pm UTC Leiden, The Netherlands PyLadies Amsterdam: Robotics beginner class with MicroPython 27 Jan. 2026 2026 5pm UTC – 8pm UTC Amsterdam, The Netherlands and Online Python Devroom @ FOSDEM 2026 31 Jan. 2026 2026 Brussels, Belgium PyCon Namibia 2026 20 Feb. 2026 – 26 Feb. 2026 Windhoek, Namibia Python BarCamp Karlsruhe 2026 21 Feb. 2026 – 22 Feb. 2026 Karlsruhe, Germany PyConf Hyderabad 2026 14 March 2026 – 15 March 2026 Hyderabad, Telangana, India PyCascades 2026 21 March 2026 – 22 March 2026 Vancouver, British Columbia, Canada PythonAsia 2026 21 March 2026 – 23 March 2026 Malate, Philippines PyCon Lithuania 2026 08 April 2026 – 10 April 2026 Vilnius, Lithuania PyCon DE & PyData 2026 14 April 2026 – 17 April 2026 Darmstadt, Germany PyTexas 2026 17 April 2026 – 19 April 2026 Austin, USA PyCon Austria 2026 19 April 2026 – 20 April 2026 Eisenstadt, Austria Python Meeting Düsseldorf 22 April 2026 2026 4pm UTC – 7pm UTC Düsseldorf, Germany PyCon US 2026 13 May 2026 – 18 May 2026 Long Beach, CA, USA PyCon Italia 2026 27 May 2026 – 30 May 2026 Bologna, Italy PyOhio 2026 25 July 2026 – 26 July 2026 Cleveland, USA PyCon AU 2026 26 Aug. 2026 – 30 Aug. 2026 Brisbane, Australia PyCon PL 2026 27 Aug. 2026 – 30 Aug. 2026 Gliwice, Poland PyCon Kenya 2026 28 Aug. 2026 – 29 Aug. 2026 Nairobi, Kenya DjangoCon US 2026 14 Sept. 2026 – 18 Sept. 2026 Chicago, USA PyBay 2026 03 Oct. 2026 2026 San Francisco, CA, USA PyCon Estonia 2026 08 Oct. 2026 – 09 Oct. 2026 Tallinn, Estonia PyCon Greece 2026 12 Oct. 2026 – 13 Oct. 2026 Athens , Greece You just missed... PyData Global 2025 09 Dec. 2025 – 11 Dec. 2025 Online Building an AI Agent 25 Nov. 2025 2025 5:30pm UTC – 8pm UTC JetBrains Amsterdam Terrace Tower office; Gelrestraat 16, 1079 MZ, Amsterdam, The Netherlands Python Events Calendars For Python events near you, please have a look at the Python events map . The Python events calendars are maintained by the events calendar team . Please see the events calendar project page for details on how to submit events , subscribe to the calendars , get Twitter feeds or embed them. Thank you. ▲ Back to Top About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner's Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Contributing Developer's Guide Issue Tracker python-dev list Core Mentorship Report a Security Issue ▲ Back to Top Help & General Contact Diversity Initiatives Submit Website Bug Status Copyright ©2001-2026.   Python Software Foundation   Legal Statements   Privacy Notice Powered by PSF Community Infrastructure -->
2026-01-13T08:49:19
https://stripe.com/en-be/privacy
Chat with Stripe sales Privacy Policy Stripe logo Legal Stripe Privacy Policy & Privacy Center Privacy Policy Cookies Policy Data Privacy Framework Service Providers List Data Processing Agreement Supplier Data Processing Agreement Stripe Privacy Center Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you're a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you've bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called "Link," which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User's lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you're an End Customer, please refer to the privacy policy of the Business User you're doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you're an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we've collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers' Personal Data with them. Where allowed, we also use End Customers' Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers' Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don't finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers' Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives' Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives' Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that's tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer ("KYC") laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering ("AML") and Know-Your-Customer (“KYC") regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We'll try to process your request(s) as quickly as reasonably practicable. However, it's important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it's inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you've submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it's technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account's security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you're doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you've used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it's sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom ("UK"), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the Europe
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/videos/merge-branches?channel=gui
Merging Branches | Learn Git Video Course Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Learn Version Control with Git Our beginner-friendly video course teaches you the foundations of Git - and takes you from novice to master! 2 min episode 12 of 24 Merging Branches How can I integrate changes from one branch into another branch? Learn More Chapter Merging Changes in our online book. Previous Video « Creating & Checking Out Branches Next Video Using the Stash » Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses & Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips & Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice   |   Privacy Policy   |   Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://claude.com/product/claude-code
Claude Code - AI coding agent for terminal &amp; IDE | Claude -------> Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Product Product / Claude Code Explore here Ask questions about this page Copy as markdown ✽ Debugging... Claude Code: AI-powered coding assistant for developers Built for developers Work with Claude directly in your codebase. Build, debug, and ship from your terminal, IDE, Slack, or the web. Describe what you need, and Claude handles the rest. Get Claude Code On the web VS Code JetBrains Slack curl -fsSL https://claude.ai/install.sh | bash Copy command to clipboard irm https://claude.ai/install.ps1 | iex Copy command to clipboard Or read the documentation Try Claude Code Try Claude Code Try Claude Code Developer docs Developer docs Developer docs Use Claude Code where you work Terminal IDE Web and iOS Slack Active ╭───────────────────────────╮ │ │ │ ✶ Welcome to Claude Code │ │ │ ╰───────────────────────────╯ > Think harder... while(curious) { question everything(); dig_deeper(); connect_dots(unexpected); if (stuck) { keep_thinking(); } } * Brewing… Terminal Work with Claude directly in your terminal. Claude explores your codebase context, answers questions, and make changes. It can even use all your CLI tools. Get Claude Code On the web VS Code JetBrains Slack curl -fsSL https://claude.ai/install.sh | bash Copy command to clipboard irm https://claude.ai/install.ps1 | iex Copy command to clipboard Or read the documentation Try Claude Code Try Claude Code Try Claude Code Developer docs Developer docs Developer docs Prompt My colleagues recently published the attached single-cell dataset that describes gene expression differences between adult and pediatric liver samples with a focus on the immune system. I would like to explore these samples but focus on the parenchymal cells and differences between adult and pediatric liver. Can you help me first go through the differentially expressed genes and create a heatmap and then also identify pathways or sets of genes that are enriched in each sample? VS Code and JetBrains IDEs Run Claude Code directly in your IDE and see Claude&#x27;s changes as visual diffs. Native extensions are available for VS Code, VS Code forks like Cursor and Windsurf, and JetBrains. VS Code VS Code VS Code JetBrains JetBrains JetBrains View prompt View prompt View prompt Prompt My colleagues recently published the attached single-cell dataset that describes gene expression differences between adult and pediatric liver samples with a focus on the immune system. I would like to explore these samples but focus on the parenchymal cells and differences between adult and pediatric liver. Can you help me first go through the differentially expressed genes and create a heatmap and then also identify pathways or sets of genes that are enriched in each sample? Web &amp; iOS research preview Delegate tasks to Claude from your browser or the Claude iOS app. Great for bug fixes, routine tasks, and kicking off the work while on-the-go. Open in browser Open in browser Open in browser View prompt View prompt View prompt Prompt My colleagues recently published the attached single-cell dataset that describes gene expression differences between adult and pediatric liver samples with a focus on the immune system. I would like to explore these samples but focus on the parenchymal cells and differences between adult and pediatric liver. Can you help me first go through the differentially expressed genes and create a heatmap and then also identify pathways or sets of genes that are enriched in each sample? Bring Claude to Slack Beta Ask your Slack workspace admin to approve the Claude app from the Slack App Marketplace , then use your existing Claude account to get started. Add to Slack Add to Slack Add to Slack Get started with Claude Code Individual Team &amp; Enterprise Active Pro Claude Code is included in your Pro plan. Perfect for short coding sprints in small codebases with access to both Sonnet 4.5 and Opus 4.5. $17 Per month with annual subscription discount ($200 billed up front). $20 if billed monthly. Try Claude Try Claude Try Claude Max 5x Claude Code is included in your Max plan. Great value for everyday use in larger codebases.
 $100 Per person billed monthly Try Claude Try Claude Try Claude Max 20x Even more Claude Code included in your Max plan. Great value for power users with the most access to Claude models. $200 Per person billed monthly Try Claude Try Claude Try Claude Claude API Pay as you go with standard Claude API pricing. Deploy to unlimited developers with no per-seat fee or platform charges. ‍ ‍ Start building Start building Start building Team Claude Code is included with Team plan premium seats. Includes self-serve seat management and additional usage at standard API rates, plus access to both Sonnet 4.5 and Opus 4.5. $150 Per person / month. Minimum 5 members. Get the Team plan Get the Team plan Get the Team plan <path d="M240.04 456.37C239.59 437.27 240.37 437.26 239.92 418.16C239.48 399.08 239.67 399.02 239.58 379.89C239.54 370.33 239.34 365.56 239.11 360.8C238.87 356.05 238.7 351.25 238.46 341.85C238.42 340.49 238.37 339.23 238.31 338.11C238.28 337.55 238.25 337.02 238.22 336.51C238.2 336.26 238.19 336.02 238.17 335.79V335.69C238.13 335.5 238.11 335.51 238.07 335.47C238.01 335.45 237.96 335.47 237.91 335.47C237.87 335.47 237.91 335.48 237.82 335.49C237.36 335.48 236.91 335.47 236.47 335.45C234.66 335.43 232.89 335.45 231 335.49C227.21 335.57 222.88 335.72 216.14 335.94C197.1 336.57 196.9 335.43 177.82 335.64C170.37 335.73 165.86 335.88 161.8 336.11C159.77 336.22 157.85 336.36 155.78 336.55C154.76 336.65 153.67 336.76 152.6 336.92L152.4 336.95H152.33L152.19 336.99C152.08 337.01 152.07 337.02 152.01 337.03C151.91 337.06 151.81 337.09 151.72 337.14C151.66 337.17 151.57 337.32 151.55 337.53C151.55 337.58 151.55 337.64 151.53 337.7C151.53 337.83 151.52 337.96 151.51 338.1C151.48 338.88 151.46 339.77 151.47 340.76C151.52 345.3 151.76 348.92 151.9 351.89C152.05 354.89 152.17 357.28 152.29 359.68C152.49 364.49 152.75 369.32 152.69 379.04C152.64 381.44 152.6 383.54 152.57 385.42C152.53 387.28 152.49 388.91 152.45 390.4C152.36 393.38 152.29 395.76 152.22 398.15C152.06 402.92 151.92 407.69 151.89 417.25C151.87 436.35 152.37 436.36 152.47 455.44C152.57 469.52 150.43 471.4 147.5 471.49C144.61 471.58 142.63 469.66 142.52 455.51C142.42 436.39 141.43 436.4 141.45 417.29C141.47 407.73 141.78 402.95 142.1 398.17C142.25 395.78 142.42 393.39 142.55 390.4C142.61 388.9 142.67 387.25 142.74 385.38C142.8 383.49 142.86 381.4 142.89 379.06C142.96 369.65 142.79 364.93 142.67 360.19C142.59 357.82 142.5 355.44 142.4 352.47C142.29 349.48 142.08 345.94 142.01 340.96C142.01 340.07 142.01 339.2 142.03 338.35C142.03 338.14 142.04 337.92 142.05 337.71C142.06 337.45 142.08 337.2 142.09 336.95C142.12 336.3 142.22 335.68 142.28 335.06C142.48 333.86 142.73 332.72 143.2 331.79C143.62 330.82 144.37 330.1 145.05 329.47C146.01 328.83 147.06 328.39 148.13 328.07C149.23 327.78 150.29 327.58 151.18 327.43C152.48 327.21 153.62 327.05 154.72 326.9C156.9 326.61 158.83 326.38 160.9 326.18C165.04 325.77 169.71 325.47 177.57 325.37C187.13 325.26 191.87 325.43 196.6 325.53C201.35 325.64 206.11 325.7
2026-01-13T08:49:19
https://design.forem.com/t/figma#main-content
Figma - Design Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Design Community Close # figma Follow Hide Tips, tricks, plugins, and discussions for the popular design tool Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Figma vs Adobe XD: Which One Should You Learn in 2025? Pixel Mosaic Pixel Mosaic Pixel Mosaic Follow Oct 14 &#39;25 Figma vs Adobe XD: Which One Should You Learn in 2025? # uidesign # careeradvice # adobesuite # figma Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Design Community — Web design, graphic design and everything in-between Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Design Community &copy; 2016 - 2026. We&#39;re a place where designers share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.facebook.com/sharer.php?u=https%3A%2F%2Fdev.to%2Fcolocodes%2Freact-class-components-vs-function-components-23m6
Facebook에 로그인 Notice 계속하려면 로그인해주세요. Facebook에 로그인 계속하려면 로그인해주세요. 로그인 계정을 잊으셨나요? 또는 새 계정 만들기 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T08:49:19
https://szabgab.com/archive
All the blog entries Home Corporate Training All the courses Python Beginner Python Advanced Testing Python code for backend Python developers Analyzing data with Python using NumPy and Pandas Web application development using Python Flask Rust programming Web development with Rust Rocket Beginner Perl programming Testing Perl code for Perl developers Git for beginners Advanced git GitHub GitHub Actions for programmers Making changes to data files via GitHub - for non-technical people. Docker Linux on the command line Higher Education Rust Python Perl Free About Contact Archive --> Archive Warning : Most of the posts here are personal or political. My technical articles are over at Rust Maven , Python Maven , Perl Maven , and the rest at Code Maven . You have been warned! 2025 Nov 14 How to get your first job as a programmer? 2025 Nov 14 Python programming Bootcamp 2025 Nov 13 Rust: Missing libraries (crates) 2025 Oct 28 How to find an open source project to contribute to? 2025 Sep 17 HaMakor - Open Source and Free Software in Israel 2025 Sep 07 Core C++ 2025 Sep 07 PyConIL 2025 2025 Aug 31 Why do Python programmers hate Perl? 2025 Jul 29 Meetup groups 2025 Jun 08 The viscosity of software 2025 May 28 HaMakor - Open Source and Free Software in Israel 2025 Apr 07 Why move away from Perl? From the readers of the Perl Weekly 2025 Mar 30 Public mdBooks 2025 Mar 24 Rust can be 15-80 times faster than Python 2025 Mar 24 Migrating between Perl, Python, and Rust 2025 Mar 11 Why use Rust? 2025 Mar 06 Ask your future employees to stand out! 2025 Mar 05 First PR to mdBook 2025 Mar 02 Contributing to the Open Source mdBook project 2025 Feb 21 Sponsoring Rust Developers 2025 Feb 20 Help adopting Rust 2025 Feb 18 Promotion in Hebrew 2025 Feb 18 Why attend Meetups? 2025 Feb 18 What are the considerations when you pick a programming language for a new project? 2025 Feb 08 Tech interviews, AI, and Open Source 2025 Feb 03 Measuring progress 2025 Feb 03 My Meetup groups 2025 Jan 07 Contribute to open source or doing interview exercises? 2024 Dec 23 White Camel Award 2024 2024 Dec 20 Reporting a bug in their export-mechanism to LinkedIn 2024 Dec 19 How to introduce 🦀 Rust at your company 🏭? 2024 Dec 17 What is shift-left ⬅️ programming? 2024 Dec 11 Python 🐍 and variable types 2024 Dec 08 3-step presentation reuse 2024 Dec 07 Reading and parsing JSON in general and specifically in Rust 🦀 2024 Dec 05 Use the command line to become more efficient in your work! 2024 Dec 04 Rust 🦀 version 1.83.0 came out a few days ago. It is upgrade time! 2024 Dec 03 Shift-left testing 2024 Dec 02 Why Rust? 🦀 - Speed 2024 Dec 02 Why 🦀 Rust? It is good for both Microsoft and Linux! 2024 Dec 01 Some subjects to write about 2024 Nov 17 Improving the (software) development process 2024 Nov 16 List of GitHub repositories I contributed to 2024 Nov 13 Location based event notification 2024 Nov 04 Separating the front-end, Python, and Rust sites 2024 Oct 14 The comeback of PHP 2024 Aug 19 The lack of YouTube viewers 2024 Jul 25 Meetup: Many members, few attendees 2024 Jul 07 Rust Israel 2024.07.07 🦀 2024 Jul 07 Progress bar 2024.07.07 2024 Jun 26 LinedIn progress bar 2024.06.26 2024 Jun 20 Learning Hebrew 2024 Jun 19 Telegram 2024 Jun 14 Progress bar 2024.06.14 2024 Jun 04 A watched kettle never boils 2024 Jun 03 Virtual workshops in English 2024 May 01 Rust Maven at 200 articles 🦀 2024 Apr 16 Report and plans for 2024.04.16 2024 Apr 10 Addictive visitor count on the Rust Maven site 2024 Mar 14 Rust Maven at 150 articles 🦀 2024 Mar 01 Squash in Israel - סקווש בישראל 2024 Mar 01 Hungary in Hebrew - הונגריה 2024 Jan 04 Meet-OS, the first public version 2024 Jan 04 🎂 The first 100 articles on Rust Maven 🦀 2023 Dec 07 Programming language popularity on Reddit 2023 Dec 07 Rust on Instagram 2023 Nov 21 Plans with Rust 2023 Nov 20 Rust Digger podcast on The Rustacean Station 2023 Nov 13 Perl 2023 Nov 13 Python 2023 Nov 13 Rust 2023 Sep 18 SEO for Rust Digger 2023 Sep 12 How I broke and fixed Kantoniko? 2023 Jul 16 Free learning materials 2023 Jul 16 Progress and cleanup 2023 Jul 15 Top GitHub Users By Public Contributions in Israel 2023 Jul 15 Courses in Higher Education institutions 2023 Jul 14 Helping teams move faster using Python, Rust, Perl, Git, and Docker 2023 Jul 12 First Rust crate (rustatic) released! 2023 Jul 11 2 weeks report 2023 Jul 09 Learning Rust - after one month 2023 Jun 28 Cilent work 2023 Jun 27 Need to allocate time for promotion 2023 Jun 26 GitHub user group, articles on the OSDC site 2023 Jun 25 New week, new plans (2023.06.25) 2023 Jun 23 Friday 2023.06.23 2023 Jun 22 Last meeting of the OSDC Course in Azrieli 2023 Jun 21 Lunch and coffee meetings, Maakaf Meetup 2023 Jun 20 Daily TODO 2023.06.20 2023 Jun 19 What shall I work on today? 2023 Mar 18 Resources for learning Hungarian 2022 Nov 22 Promotion: Getting my content in-front of more people 2022 Nov 21 Interns for Open Source projects 2022 Nov 20 Reddit for Hebrew content 2022 Nov 19 Countries and languages on the World Atlas 2022 Nov 19 Beyond Perl 2022 Oct 22 CPAN Digger statistics 2022.10.07 2022 Aug 05 Follow me 2022 Aug 05 Support the public work of Gabor Szabo 2022 Jun 07 Creating an online video-enabled club or party 2022 May 05 Search in various languages in Google 2022 Apr 20 Add spell-checker to various applications 2022 Apr 09 Next steps for the Ladino dictionary 2022 Mar 27 Open Source translator (instead of Google translate) 2022 Feb 06 Gábor self reporting for 2022.02.06 2022 Jan 16 Runkeeper 2021 2022 Jan 15 LibreLingo progress: history and one-file dictionary 2022 Jan 15 Measuring progress while learning Ladino 2022 Jan 15 Yak shaving while learning Ladino 2022 Jan 06 The two solutions for the Israeli-Palestinian conflict 2022 Jan 01 Ladino - Judeo-Spanish 2022 Jan 01 Gábor self reporting for 2022.01.01 2021 Dec 13 Italki number of tutors per language 2021 Dec 05 Ladino tomorrow 2021 Dec 05 Language skills and proficiency levels 2021 Nov 29 Creating Dialogue - Jews - Israel 2021 Nov 25 LibreLingo - Open source language learning platform 2021 Nov 18 Accusing Israel of ... 2021 Nov 17 Moving to GitHub pages and Markdown? 2021 Nov 08 Gábor self reporting for 2021.11.08 2021 Oct 04 Delayed value creation for legacy code 2021 Oct 01 The issue with software rewrite 2021 Oct 01 Gábor self reporting for 2021.09.01 2021 Sep 30 Asynchronous Communication and distributed work 2021 Sep 29 When a software is "done" 2021 Aug 16 Afghanistan 2021 Aug 16 Lack of achievement 2021 Aug 15 Rescuing an application written in Perl from total meltdown 2021 Aug 13 Future-proofing an in-house application 2021 Aug 12 Wikipedia Articles and Paralympics 2021 Aug 08 Dropbox CLI - Command line client 2021 Aug 08 Origami 2021 Aug 07 Ad-free browsing 2021 Aug 07 Runkeeper 5,000 km 2021 Aug 05 Vile Israel- and Jew-haters 2021 Aug 04 The perils of the home-made framework 2021 Aug 03 Communism is a great idea - in theory 2021 Aug 03 The workforce crisis of 2030 2021 Aug 02 The single biggest reason why startups succeed 2021 Aug 01 Gábor self reporting for 2021.07 2021 Jul 31 Rearrange my desk - horizontal screen extension 2021 Jul 31 Daily Task 2021 Jul 28 Wasting time on Facebook 2021 Jul 28 Which car to buy? Electric of gasoline fueled? 2021 Jul 25 Nation or Religion? 2021 Jul 24 Taxi Drivers - Ambulances - Women 2021 Jul 23 Is Gratitude Good for Your Health? 2021 Jun 20 The distance from a real-world problem? 2021 Jun 11 Gabor self reporting for 2021.05 2021 May 06 Gabor self reporting for 2021.04 2021 May 06 peek - gif recorder in Linux to create silent screencast 2021 Apr 25 Team programming 2021 Apr 21 The goal of the live pair-programming sessions 2021 Apr 16 Scheduling live pair programming events 2021 Apr 13 Live Pair programming 2021 Apr 02 Gabor self reporting for 2021.03 2021 Mar 17 The code could not be found in table 2784 2021 Mar 02 Gabor self reporting for 2021.02 2021 Feb 25 What to do with legacy Perl code? 2021 Feb 25 My Yak 2021 Feb 22 What can you do if you become the manager of a Perl development team with a huge legacy code-base? 2021 Feb 17 Test Automation: joy and value! 2021 Feb 16 DevOps, the new silo 2021 Feb 04 Open learning and coding session 2021 Feb 01 Gabor self reporting for 2021.01 2021 Jan 26 What to do now? 2021 Jan 19 Docker Course 2021 Jan 19 New course: Testing in Perl 2021 Jan 12 Daily Activity 2021 Jan 11 Which courses to record? 2021 Jan 11 New Course: Parallel programming in Perl 2021 Jan 04 Other Programming languages for Perl developers 2021 Jan 02 More Perl Maven followers on LinkedIn than #Perl followers 2021 Jan 01 Gabor self reporting for 2020.12 2020 Dec 05 Perl Dancer Course 2020 Dec 03 Programming Bootcamp - available online 2020 Dec 02 New Year's Resolution - every month 2020 Dec 01 Gabor self reporting for 2020.11 2020 Nov 27 Web monetization 2020 Nov 10 I need to create a simple and stupid game for myself 2020 Nov 03 Gabor self reporting for 2020.10 2020 Oct 01 Gabor self reporting for 2020.09 2020 Sep 29 SMART Goal setting 2020 Sep 28 The 4 pillars of meaningful life 2020 Sep 23 Helping people finding a new job 2020 Sep 23 Struggle with Patreon 2020 Sep 02 Gabor self reporting for 2020.08 2020 Sep 01 Facebook poll about a Perl-based web app 2020 Sep 01 Gabor self reporting 2020 Aug 26 Long-term contract work 2020 Aug 17 Activity vs. Impact 2020 Aug 07 Looking for a job while being unemployed 2020 Aug 06 Full-time employment 2020 Aug 06 Business Models - Income streams 2020 Aug 05 Goal - Mission Statement 2020 Aug 02 Gabor self reporting for 2020.07 2020 Jul 31 Twitter / X 2020 Jul 30 Facebook 2020 Jul 29 Supporters 2020 Jul 29 YouTube 2020 Jul 28 LinkedIn 2020 Jul 28 Promoting LinkedIn pages 2020 Jul 28 Focus 2020 Jul 25 Videos inviting to the Code-Maven and Perl Maven web sites 2020 Jul 25 LinkedIn polls - first experiment 2020 Jul 24 Back to Twitter 2020 Jul 17 LinkedIn contacts by programming languages 2020 Jul 11 LinkedIn Hashtags and follower counts 2020 Jul 10 LinkedIn Pages - by language or by topic? 2020 Jul 07 The Perl Foundation, the Perl Weekly, and marketing 2020 Jul 04 The useful Yak shaving 2020 Jul 03 Why is marketing so hard for developers? - Feedback 2020 Jul 03 The importance of blog writing to improve your employability 2020 Jul 01 Marketing and Sales funnel 2020 Jun 28 Bookmarks 2020 Jun 23 Success on YouTube 2020 Jun 20 The goal 2020 Jun 19 Back to YouTube 2020 Jun 08 Consultant hack - show availability in clients Calendar when most of the days you are busy 2020 Mar 30 Online Perl Mob Programming 2020 Mar 23 Remote or Distributed work 2020 Feb 29 Level X game rules 2020 Feb 29 Harmonica 2020 Feb 29 Winter sports in Spanish 2020 Jan 18 Sitemap XML 2020 Jan 18 On Marketing and Promotion 2020 Jan 01 PyConIL 2019 retrospective and improvement suggestions 2020 Jan 01 Gabor self reporting for 2019.12 2019 Dec 24 Meetups: Presentations and workshops 2019 Dec 07 Gabor self reporting for 2019.11 2019 Oct 15 Ladino - one year after starting Spanish. 2019 Jul 20 Ideas to increase the attendees/registered user ratio at free Meetups 2019 Apr 29 BOFs at Craft-Conf 2019 2019 Apr 19 Use Technical Meetups to help recruitment 2019 Mar 18 Notes 2019 Jan 18 Ranking of Perl sites 2019 January 2019 Jan 10 Hiking after Craft Conference 2019 in Budapest 2018 Dec 14 My favorite places in Budapest, Hungary 2018 Dec 05 Resources for learning Spanish 2018 Aug 02 CPAN - Number of visits 2018 Jun 10 Craft Conf 2018 retrospective 2018 May 27 Flawed democracy 2018 May 14 Jerusalem, the capital of Israel 2018 Apr 19 Leadership 2018 Apr 06 Goals 2018 Mar 27 Beautify your LinkedIn profile link 2018 Mar 09 New Year's Resolutions 2018 Feb 16 The Popularity of Perl in 2018 February 2018 Feb 14 9 articles on Personal Retrospective 2018 Jan 18 Hiking after Craft Conference 2018 in Budapest 2018 Jan 18 People at Tech conferences: Hikes and Nature 2018 Jan 08 New Year's resolutions are the Waterfall methodology 2018 Jan 02 Questions for assessing the DevOps needs of a company 2017 Nov 23 State of Version Control System of Python modules: 32.95% no link to VCS found 2017 Nov 13 Microservices 2017 Nov 08 Estimates of Software Projects 2017 Oct 15 Reversim Israel 2017 2017 Oct 03 How to promote a new web site - how to get visitors 2017 Sep 26 Perl Dancer eBook: Angular, React, or Vue? 2017 Sep 16 Perl Dancer eBook Crowdfunding campaign 2017 Sep 12 Bailador 0.0.12 released and the Bailador Book is progressing 2017 Aug 30 Developer Weekly newsletter 2017 Jul 13 Why am I writing the Bailador Book? 2017 Jun 22 Extending the Bailador crowdfunding campaign by another month 2017 Jun 21 Less than 24 hours in the Bailador campaign 2017 Jun 17 Batteries included - the biggest impact on programming language popularity 2017 Jun 08 Bailador Crowdfunding campaign by country - first 100 contributors 2017 May 28 The phases of a crowdfunding campaign: first week 2017 May 24 The phases of a crowdfunding campaign: launching 2017 May 19 Craft Conf 2017 retrospective 2017 May 01 Blog engine in Perl 6 2017 Apr 21 Programming language popularity - Stack Overflow 2017 Apr 02 Traffic origins of search.cpan.org 2017 Mar 25 Perl related crowdfunding on Kickstarter, Tilt, Indiegogo 2017 Mar 24 Hiking after Craft Conference 2017 in Budapest 2017 Mar 21 MetaCPAN vs search.cpan.org 2017 Feb 23 Finding a job in HiTech 2017 Jan 28 Comparing the Muslims today to the Jews before the Holocaust? Think again! 2017 Jan 27 László Szabó Chess Grandmaster - 100 years - 100 translations 2017 Jan 22 Open Source Evenings in Modiin 2017 Jan 08 How to fight the assholes? 2016 Dec 21 Learning while commuting 2016 Dec 20 Pay By Karma 2016 Dec 03 Quotes 2016 Nov 11 Podcasts, Conferences, and Videos 2016 Oct 29 Podcasts and conferences 2016 Oct 11 Improve your chances of survival at Job Interviews and Public Speaking 2016 Sep 07 Confession of a Public Speaker 2016 Aug 01 Perl Weekly - The first 5 years 2016 Jul 28 YouTube Channel at 200,000 views 2016 Jul 20 Contract work vs Startup life 2016 Jul 18 YAPC::NA 2016 report 2016 Jul 07 Technology, Quality Management, Short Stories, History, and other Podcasts 2016 Jun 03 Why am I blogging? 2016 May 09 YouTube Channel at 1,000 subscribers 2016 Apr 01 thanks (NOT spam) 2016 Feb 06 Switching Gears? Changing direction? 2016 Jan 19 2015 in Numbers 2016 Jan 01 The Popularity of Perl in 2015 2016 Jan 01 The Popularity of Dart sites in 2015 2016 Jan 01 The most popular sites about JavaScript in 2015 2016 Jan 01 The most popular PHP-related sites in 2015 2016 Jan 01 The most popular Python sites in 2015 2016 Jan 01 The Popularity of Ruby sites in 2015 2015 Dec 18 Types of Passive Income Generated Online and What to Expect From Each – Part 1 2015 Dec 02 Content Marketing experts 2015 Nov 25 Make easy things easy and hard things possible 2015 Nov 24 Perl wish list: fixing Pod::Tidy 2015 Nov 23 SEO advice: Don't move around pages 2015 Nov 20 Gratipay for Perl related projects 2015 Nov 18 How to make money with a blog? 2015 Oct 13 The future of YAPC::EU and YEF 2015 Oct 01 YAPC::EU 2015 Granada - hiking to Pico del Veleta in Sierra Nevada 2015 Jul 13 YouTube Channel at 100,000 views 2015 Jun 24 YAPC and Perl Workshop participant numbers 2015 May 22 Source of visitors of Perl-related sites 2015 May 10 Pro or Not Pro? 2015 May 08 Slow personal progress 2015 Feb 10 Weekend vs Weekday visits of Perl-related sites 2015 Feb 01 Code Maven 2015 Jan 24 2014 in Numbers 2015 Jan 18 LinkedIN - why is it useful to me? 2015 Jan 17 Business Models for Open Source Content 2015 Jan 14 The relative popularity of programming languages in 2014 2015 Jan 09 The Popularity of Dart sites in 2014 2015 Jan 09 Screencast series for Programmers 2015 Jan 07 The most popular PHP-related sites in 2014 2015 Jan 06 The most popular sites about JavaScript in 2014 2015 Jan 05 The most popular Python sites in 2014 2015 Jan 04 The Popularity of Ruby sites in 2014 2015 Jan 01 The Popularity of Perl in 2014 2014 Dec 28 Do Alexa rankings have any meaning? 2014 Dec 13 Perl Maven under 100,000 and above 200,000 2014 Dec 02 Perl Maven - November 2014 2014 Nov 10 Missing Perl projects 2014 Nov 02 Perl Maven - October 2014 2014 Oct 18 Stats of 7 Perl-related web sites 2014 Sep 30 Perl Maven - September 2014 2014 Sep 01 Perl Maven - August 2014 2014 Aug 17 The anti-Israeli rhetoric 2014 Aug 09 Perl Maven - July 2014 2014 Aug 07 Catalyst vs Dancer vs Mojolicious on Stack Overflow 2014 Jul 29 Bad error messages 2014 Jul 01 Perl Maven - June 2014 2014 Jun 03 One year of Perl Maven Pro 2014 May 06 Thunderclap and the buzz for Perl 2014 Apr 29 GitTip and the Perl Community 2014 Apr 05 Fixing CPAN links on Stack Overflow 2014 Mar 12 How did PHP and Python take over such a huge market-share of Perl? 2014 Mar 11 Perl event organizer kit 2014 Mar 06 Open Source Developers Club in Modiin, Israel 2014 Feb 28 The Future of Perl (was Python) 2014 Feb 26 Perl Maven over 6,000 visits a day 2014 Feb 26 Edu Maven 2014 Feb 20 Introduction to Programming in Dart 2014 Feb 19 Sponsoring Perl events by running Perl training courses 2014 Feb 17 MongoDB talk at the Modiin Hub 2014 Feb 02 How many Perl programmers are there in the world? 2014 Jan 07 The Popularity of Perl in 2013 2014 Jan 02 Perl Maven under 200,000 and ahead of Perl.com 2013 Dec 28 The impact of Google Plus 2013 Dec 18 Happy Birthday and Thank You 2013 Dec 14 Google Trends - Software Technologies 2013 Dec 11 Perl Maven over 5,000 visits a day 2013 Nov 26 MongoDB and Perl book 2013 Nov 22 How to command the command line? 2013 Nov 20 Moving from SCO to MetaCPAN 2013 Nov 18 Claiming your CPAN authorship at Google 2013 Nov 06 Working with Django and the Perl Maven over 4000 2013 Oct 06 Free and Open Source Software in Israel - Meetup Group 2013 Oct 05 Web based debugging article and the Perl Maven over 3000 2013 Sep 16 Domain name change and Alexa Rankings 2013 Sep 14 Wikipedia links to CPAN 2013 Aug 29 Promoting Perl: GitPrep 2013 Aug 01 Three month after domain name change 2013 Jul 27 How to get Google to show your avatar next to the search results 2013 Jul 25 The long tail is getting longer and thicker 2013 Jul 22 Nerd Fitness WTF? 2013 Jul 18 Compiling Perl, Python and Ruby 2013 Jul 16 SEO - Search Engine Optimization for Perl programmers 2013 Jul 12 There are no Perl events in my country/city... 2013 Jul 11 Public DNS Resolvers (and using dig) 2013 Jul 09 How do you make sure your visitors keep coming back? 2013 Jul 06 How do you get people to your site in the first place? 2013 Jul 05 Getting the word out 2013 Jul 03 Would you like to build a small company or a start-up? 2013 Jul 02 Mid-year resolution 2013 2013 Jun 28 The Alexa turning point 2013 Jun 24 The first 100 weeks of the Perl Weekly 2013 May 21 Perl, Python, Ruby, PHP and HTML5 on Google trends 2013 May 08 The social price of redirection 2013 Apr 30 Comparing Perl, Python, Ruby and PHP 2013 Apr 28 To merge or not to merge? 2013 Mar 27 YAPC::NA 2013 training classes 2013 Mar 22 Perl Weekly readers and Perl Maven visitors by country 2013 Mar 13 Perl Maven book for Beginners published (v1.24) 2013 Mar 02 Report for February 2013 2013 Feb 22 Report for January 2013 2013 Feb 11 Israeli Perl Workshop on February 25, 2013 2013 Feb 08 The future of Perl or what happened at the Perl Reunification Summit? 2013 Feb 06 Update on the licenses and the repository links on CPAN 2013 Feb 03 New edition of the Advanced Perl Maven e-book was published 2013 Jan 31 Fetching the status of blog entries using grep and cut 2013 Jan 28 Perl at FOSDEM 2013 and the outreach 2013 Jan 08 The license and the repository of Perl modules on CPAN 2012 Dec 20 Old school or hip? 2012 Nov 25 Announcing the Regex Maven for Android 2012 Oct 07 Building DWIM Perl for Linux 2012 Sep 27 Announcing the Perl Maven Competition 2012 Sep 25 Announcing the "Test Automation using Perl" e-book 2012 Sep 15 Perl based open source products (r) 2012 Sep 13 ConFoo 2013 in Montreal - Call for Papers is Now Open! 2012 Sep 08 The most popular Perl web sites 2012 Sep 04 Report for August and TODO for September 2012 2012 Aug 15 What is the size of the Perl community? 2012 Aug 14 Perl developers and LinkedIN 2012 Aug 10 Enlightened Modern Perl or useful Perl? 2012 Aug 01 Report for July and TODO for August 2012 2012 Jul 26 Announcing the Advanced Perl Maven e-book 2012 Jul 18 Looking for a stable language? 2012 Jul 06 Perl 5 Maven and Perl 6 Maven 2012 Jul 01 TODO for July 2012 2012 Jun 24 Restarting is hard 2012 May 03 Perl Maven Cookbook 2012 May 01 TODO for May 2012 2012 Apr 28 Facebook vs Google+ for Perl projects 2012 Apr 26 Splice to slice and dice arrays in Perl (r) 2012 Apr 15 Perl Weekly two days later 2012 Apr 13 The Perl Weekly newsletter reaches 3000 subscribers 2012 Apr 05 Simple Database access using Perl DBI and SQL (r) 2012 Apr 02 Perl Test Automation Training in Madison, Wisconsin and in Kiev, Ukraine 2012 Mar 31 Scalable Vector Graphics with Perl (r) 2012 Mar 28 How to create a Perl Module for code reuse? (r) 2012 Mar 26 Scalar found where operator expected (r) 2012 Mar 25 Introducing Perl in just 4 hours 2012 Mar 13 DWIM Perl for Linux server 5.14.2 v2 released 2012 Mar 11 How to build a dynamic web application using PSGI (r) 2012 Mar 10 Extracting data from a file with multi-line records 2012 Mar 09 Unknown warnings category (r) 2012 Mar 07 My First Web Application using PSGI (r) 2012 Mar 03 How to remove, copy or rename a file with Perl (r) 2012 Mar 01 TODO for March 2012 2012 Feb 26 join (r) 2012 Feb 25 What is a Perl Monger group for? 2012 Feb 24 Subroutines and functions in Perl (r) 2012 Feb 22 Name "main::x" used only once: possible typo at ... (r) 2012 Feb 21 The (free) Israeli Perl Workshop on 28th February 2012 2012 Feb 16 Matching numbers using Perl regex (r) 2012 Feb 14 How to get feedback? 2012 Feb 12 DWIM Perl 5.14 for Windows (v7) released 2012 Feb 10 Announcing my first Perl e-book 2012 Feb 09 $_ the default variable of Perl (r) 2012 Feb 08 Automatic string to number conversion or casting in Perl (r) 2012 Feb 06 Announcing DWIM Perl for Windows 2012 Feb 04 Debugging Perl scripts (r) 2012 Feb 03 Perl on the command line (r) 2012 Feb 01 TODO for February 2012 2012 Jan 31 The right way to install CPAN modules 2012 Jan 17 Global symbol requires explicit package name (r) 2012 Jan 15 Use of uninitialized value (r) 2012 Jan 14 How to get the Perl Weekly every day? 2012 Jan 11 Understanding Regular Expressions - part 1 (r) 2012 Jan 10 How to read a CSV file using Perl? (r) 2012 Jan 05 Minimal requirement to build a sane CPAN package (r) 2012 Jan 04 TODO 2012 2011 Dec 29 The Power of referrals 2011 Dec 22 20 Curated Weekly newsletters for programmers, sysadmins and what's in between 2011 Dec 21 Open File in Perl 2011 Dec 19 TODO 2011 December 2011 Dec 15 Transforming a Perl array using map (r) 2011 Dec 14 Don't Open Files in the old way (r) 2011 Dec 13 POD - Plain Old Doculmentation (r) 2011 Dec 11 Core Perl documentation and CPAN module documentation (r) 2011 Dec 09 Filtering values using Perl grep (r) 2011 Dec 08 Object Oriented Perl using Moose (r) 2011 Dec 07 Advanced Perl Maven - online video course introduction (r) 2011 Dec 06 How to capture and save warnings in Perl (r) 2011 Dec 05 Download and install Perl (r) 2011 Dec 04 How to change @INC to find Perl modules in non-standard locations (r) 2011 Nov 28 What is the Perl Maven? 2011 Nov 27 Beginner Perl Maven (r) 2011 Nov 25 The for loop in Perl (r) 2011 Nov 24 Perl Editor (r) 2011 Nov 23 Call for translators, transcriptors and mentors for them! 2011 Nov 22 Variable declaration in Perl (r) 2011 Nov 19 Symbolic references in Perl (r) 2011 Nov 18 Perl Workshop in Israel, 2012 2011 Nov 17 Barewords in Perl (r) 2011 Nov 15 How to teach "Modern" Perl? 2011 Nov 09 Scalar and List context in Perl, the size of an array (r) 2011 Nov 07 The year of 19100 (r) 2011 Nov 06 The impact of Hacker News on my web site 2011 Nov 06 Perl Arrays (r) 2011 Nov 04 Perl Tutorial: open and read from files (r) 2011 Nov 03 Testing a simple Perl module (r) 2011 Nov 03 Helping people find good Perl tutorials 2011 Nov 02 Unique values in an array in Perl (r) 2011 Nov 01 Sorting arrays in Perl (r) 2011 Nov 01 Perl tutorial: while loop (r) 2011 Oct 30 Number Guessing game (r) 2011 Oct 29 Perl tutorial - Appending to files (r) 2011 Oct 27 Perl tutorial: - Writing to files (r) 2011 Oct 27 How do newbies find learning materials online? 2011 Oct 11 The sin of no documentation 2011 Oct 11 Semi-Local Business 2011 Oct 08 Perl Testing training class at the London Perl Workshop 2011 Oct 04 Reaching Perl People with Perl news 2011 Sep 26 Perl Poll: What would you like to read about? 2011 Sep 23 Perl Weekly click statistics 2011 Sep 15 Which is the better language to learn Perl or PHP? 2011 Sep 11 YAPC::Europe 2011 survey 2011 Sep 08 Lessons from running Perl Weekly for the first 6 weeks 2011 Aug 30 Perl training materials or even books? 2011 Aug 22 The sources of Perl related news - did you announce the release of your module? 2011 Aug 19 3 simple ways to help the Perl community 2011 Aug 11 YAPC::EU 2011-4 Riga airport, passport control, spoiler warning 2011 Aug 09 Finally my job has a title! 2011 Aug 02 Searching for YAPC::EU in Riga 2011 Aug 01 Weekly Perl News - first issue sent out 2011 Jul 31 How to integrate a Mailman sign-up with your web site? 2011 Jul 25 MetaCPAN is awesome! (r) 2011 Jul 24 Next meeting of the Tel Aviv Perl Mongers 27 July 2011 2011 Jul 21 Perl tutorial: String functions: length, lc, uc, index, substr (r) 2011 Jul 20 How to prepare a surprise birthday party 2011 Jul 19 Perl tutorial: comparing scalars (r) 2011 Jul 18 Perl tutorial: scalars (r) 2011 Jul 18 Beginner and Advanced Perl Courses in Ramat Gan in September 2011 2011 Jul 17 Slightly broken links on Ironman 2011 Jul 15 Contributing to a Perl module on CPAN (using vim and Github) (r) 2011 Jul 14 The Social Padre: Facebook like button 2011 Jul 13 Avoid (unwanted) bitwise operators (r) 2011 Jul 12 The Social Padre: Google+ 2011 Jul 11 The effectiveness of Twitter, or the lack of it 2011 Jul 11 Three new screencasts and a little bit of statistics 2011 Jul 10 The Perl password safe Challenge 2011 Jul 07 I need a name for a Perl distribution 2011 Jul 06 Creating a successful open source project 2011 Jul 06 Contract is finished, life is beautiful 2011 Jul 04 Perl Classes in Riga around YAPC 2011 Jun 30 Building a blog engine using Perl Dancer (r) 2011 Jun 28 Stackoverflow, Serverfault, Superuser and Perl 2011 Jun 27 Fetching data from YouTube using Perl (r) 2011 Jun 26 The making of the Perl screencasts 2011 Jun 26 Strawberry Perl download statistics 2011 Jun 25 Install Perl, print Hello World, Safety net (use strict, use warnings) (r) 2011 Jun 23 Using the built-in debugger of Perl as REPL (r) 2011 Jun 22 The selfish CPAN Tester 2011 Jun 21 Padre on Strawberry Perl v5 released 2011 Jun 19 Next Tel Aviv Perl Mongers meeting on 29th June 2011 2011 Jun 16 Using the built-in debugger of Perl (r) 2011 Jun 15 Plans for world domination 2011 Jun 14 Creating a plug-in for Padre, the Perl IDE 2011 Jun 08 Writing an HTTP Server in Perl 6 2011 Jun 06 Numerical URLs replaced by textual URLs on my blog 2011 Jun 04 How to measure the success of Strawberry Jam? 2011 Jun 01 Rakudo Star 2011.04 for Windows 2011 May 30 Strawberry Perl with Cream - 5.12.3 v3 released 2011 May 21 Padre 0.84 on Strawberry Perl 5.12.3 released 2011 May 14 Digging CPAN 2011 Apr 10 Some stats from Google Summer of Code 2011 Mar 01 Keeping the code clean in a large Perl project 2011 Mar 01 Volunteer to an Open Source project with little or no programming background 2011 Feb 21 Can we rely on Perl? 2011 Feb 21 FOSDEM 2011 and Perl 2011 Feb 20 Tel Aviv Perl Mongers: Getting started in open source 2011 Feb 15 Think Global Act Local - Perl jobs 2011 Feb 14 Accessing the official TPF wiki 2011 Feb 08 Grants to invite speakers to (non-Perl) events 2011 Feb 04 Linux Tag Berlin 2011, late call for talks 2011 Feb 02 Perl Ecosystem Group announcement and public discussion lists 2011 Jan 31 Perl at FOSDEM 2011 2011 Jan 20 The responsibility of a CPAN developer 2011 Jan 20 Texas Linux Fest - Call For Papers 2011 Jan 18 Top-posters 2011 Jan 16 Helping the next CPAN user with very little work 2011 Jan 08 Plat_Forms Perl teams 2011 Jan 04 What would you ask in a survey about the Perl Ecosystem? 2011 Jan 02 Perl in 2011 2010 Dec 17 Helping people not (yet) in the Perl community 2010 Dec 13 Rain and Skishoes 2010 Dec 12 Dancer at the Rehovot Perl Mongers 2010 Dec 07 CFP: Perl at SCALE 9x in Los Angeles 2010 Dec 02 The Problem with Open Source is that you can't blame it on Microsoft 2010 Dec 01 FOSDEM 2011 - more opportunities 2010 Nov 22 T-Dose 2010 2010 Nov 18 London Perl Workshop and the Perl Ecosystem Group 2010 Nov 16 Is Lotus Notes still alive? 2010 Nov 15 FOSDEM - call for Perl related talks 2010 Nov 09 Sponsoring Plat Forms contest teams - dead-line in less than 3 weeks 2010 Nov 05 Perl Ecosystem Group 2010 Nov 02 Perl Devroom at FOSDEM 2011 - call for talk proposals 2010 Oct 25 Rehovot Perl Mongers: Mojolicious and POE 2010 Oct 22 T-Dose in The Netherlands and Perl 2010 Oct 20 Self destruct 2010 Oct 10 Rehovot Perl Mongers: Lacuna Expanse 2010 Oct 03 Heat and solar energy: Transporting heat? 2010 Oct 02 Restarting time? 2010 Aug 23 Fundamentals of Perl training in October, 2010, in Ramat Gan 2010 Aug 15 Perl 6 subroutines and home made operators (r) 2010 Aug 12 More Perl events in 2010 2010 Aug 11 Perl::Staff - Upcoming events for promoting Perl 2010 Aug 09 YAPC::EU 2010 Pisa 2010 Jul 31 Perl 6 screencast - part 5 - hashes 2010 Jul 24 Happy 2nd birthday to Padre - Get on an IRC channel 2010 Jul 24 How to connect to the #perl6 IRC channel and try Perl 6 on-line (r) 2010 Jul 23 Perl 6 screencast - part 4 - files 2010 Jul 22 Perl 6 screencast - part 3 - arrays and ranges 2010 Jul 21 Call for Perl Development grant proposals 2010 Jul 21 Perl 6 presentation in Ramat Gan on 26th July 2010 2010 Jul 21 Perl 6 screencast - part 2 - arrays (r) 2010 Jul 20 Introduction to Perl 6 screencast - part 1 - scalars (r) 2010 Jul 18 Start Up Weekend and the technology they need 2010 Jul 09 Perl 6 and Perl 5 training classes around YAPC::EU in Pisa 2010 Jul 08 How other languages do it? 2010 Jul 05 First contact with companies regarding the Perl Ecosystem group 2010 Jul 05 List of potential members of the TPF Ecosystem group or Advisory board 2010 Jul 05 Looking for Perl Ecosystem leader and event goer in the US and elsewhere 2010 Jul 04 List of upcoming tech events 2010 Jun 30 Thank you for YAPC::NA! 2010 Jun 30 Google Chrome DevFest Israel 2010 Jun 29 Perl Ecosystem development group or Advisory board for TPF? 2010 Jun 27 Grant request for fund-raising and promotional activities 2010 Jun 17 Comparing Perl and Python 2010 Jun 14 About the German Perl Workshop 2010 Jun 05 Busy June: German Perl Workshop, LinuxTag, YAPC::NA, Belgian Perl Workshop 2010 Jun 03 Starting with Perl 6 2010 Jun 01 Ease of bug reporting == caring for the users? 2010 May 26 What are the Perl Monger groups for? 2010 May 20 Why do you learn Perl? 2010 May 18 Where are the Open source developers from? 2010 May 17 Fixing my editor 2010 May 16 Update on some open issues 2010 May 16 Apache Software Foundation 2010 May 14 Python Software Foundation 2010 May 13 Cooperation among Perl freelancers 2010 May 11 My Start-Up Life 2010 May 10 Visiting the aliens 2010 May 10 The FreeBSD Foundation 2010 May 09 Poll: What are the most important features of an employer or a job opportunity for you? 2010 May 09 The awkwardness of socializing at conferences 2010 May 08 Falling number of visitors? 2010 May 04 About the GNOME Foundation 2010 May 02 Business awareness of Perl developers 2010 May 02 Perl on Android 2010 Apr 27 SVG using Perl 2010 Apr 26 According to quick poll only 13% of Perl developers use Windows 2010 Apr 23 Would you like to talk to Perl programmers or about Perl? 2010 Apr 21 Perl booth at LinuxTag Berlin between 9-12 June, 2010 2010 Apr 19 Haifa Perl Mongers meeting: Perl on Android and what is new in Perl 5.12 ? 2010 Apr 18 Events in May: Nordic Perl Workshop, LinuxWochen, BSDCan, GUUG-Frühjahrsfachgespräch 2010 Apr 10 Perl QA Hackathon 2010 2010 Apr 06 Rehovot Perl Mongers, Scalable Vector Graphics and Perl 2010 Mar 31 The stake-holders in the Perl Ecosystem - who cares about Perl? 2010 Mar 22 Companies need more young enthusiastic Perl developers! 2010 Mar 19 Oh, I am happy to see Perl is still alive! 2010 Mar 12 Another report about CeBIT, Perl and the community 2010 Mar 08 Rehovot and Haifa Perl Monger meetings (15, 16 March, 2010) 2010 Mar 07 Perl on CeBIT 2010 Mar 04 Two days into CeBIT 2010 Feb 27 The human face of Perl projects 2010 Feb 22 Help learning and writing CSS - is there a parsable version of the documentation? 2010 Feb 15 Is Padre really better than vi, emacs or Eclipse + EPIC? 2010 Feb 15 Video of the Padre talk on FOSDEM 2010 Feb 14 Next Rehovot Perl Mongers meeting on 16 February about IO::Lambda 2010 Feb 13 FOSDEM report 2010 Feb 04 Perl for Windows statistics 2010 Feb 02 Showing Perl on non-Perl conferences, getting money from TPF for swag 2010 Feb 01 Test Automation using Perl classes 2010 Jan 21 Padre 0.55 Stand alone for Linux based on perl 5.11.4 released 2010 Jan 20 Working with upstream - installing Perl modules from CPAN 2010 Jan 20 FPGA Board Integration - using Perl - Rehovot Perl Mongers 2010 Jan 14 Use case for Strawberry Perl for Windows 2010 Jan 12 Would you like that people at FOSDEM will hear about your Perl project? 2010 Jan 06 When will Padre move to Git? 2010 Jan 05 Padre on ActivePerl, at FOSDEM and at CeBIT - 2010 starts good 2009 Dec 29 Creating a Live CD for Perl 2009 Dec 23 Padre 0.53 Stand Alone for Linux on perl 5.11.3 released 2009 Dec 21 DMOZ - The Open Directory and Perl 2009 Dec 16 Rehovot Perl Mongers, next meeting on Dec 22, 2009 - PDL, Padre 2009 Dec 09 Experimental Stand-alone Padre for Linux 2009 Dec 08 Events organizers promoting Perl 2009 Dec 07 Perl stand at FOSDEM in Belgium 2009 Dec 06 Promoting Padre using Social networks 2009 Dec 02 Open Source Business Model 2009 Dec 01 Rehovot Perl Mongers meeting report - 17th November, 2009 2009 Nov 28 What does "if it ain't broke, don't fix it" really mean? 2009 Nov 25 Context Sensitive Help using Padre, the Perl IDE 2009 Nov 24 Beautiful Perl - creating charts and graphs 2009 Nov 23 How to help people make money using Perl? 2009 Nov 20 FOSDEM application dead-line in 2 days! 2009 Nov 18 Padre supporting technologies in addition to Perl 2009 Nov 15 Poll: What are you using besides Perl? 2009 Nov 12 Padre Stand-alone 0.50 for Windows has been released 2009 Nov 12 New Perl related books 2009 Nov 08 Padre 0.50 released 2009 Nov 05 Rehovot Perl Mongers - First meeting - Matlab and PDL 2009 Nov 04 The Perl editor and IDE market 2009 Nov 02 Padre 0.49 released - Release early, release often 2009 Oct 30 Why bother upgrading perl? 2009 Oct 29 Perl Virtual Appliances 2009 Oct 28 FOSDEM call for Perl participation 2009 Oct 26 Perl Editor and IDE Poll results 2009 Oct 23 Supplying examples with CPAN modules 2009 Oct 21 Which editor(s) or IDE(s) are you using for Perl development? 2009 Oct 21 Perl Mongers in Amsterdam 2009 Oct 20 Perl Mongers: A world tour on the back of a virtual camel 2009 Oct 16 Perl at FOSDEM 2009 Oct 14 Padre 0.48 released 2009 Oct 08 Getting the Perl Mongers into shape 2009 Oct 05 Helping each other, you and Padre 2009 Oct 02 My teenage memories and the Parrot Virtual Machine 2009 Oct 01 oDesk and the market trends 2009 Sep 30 Looking for a Perl related job? 2009 Sep 23 YAPC::EU::2009 videos - Larry Wall talking about Perl 6 2009 Sep 22 Perl in your language 2009 Sep 21 Why do I teach PHP to my son? 2009 Sep 18 One-liners to promote Perl 2009 Sep 18 Subversion vs. XYZ 2009 Sep 16 CPAN client for the beginners 2009 Sep 15 Padre Standalone for Windows 0.45 released 2009 Sep 13 What is Perl used for? 2009 Sep 10 Help packaging Padre on Linux and Mac OSX 2009 Sep 09 Help! How to deal with madness? 2009 Sep 07 What I am missing from EPO 2009 Sep 07 How to get started with Padre? 2009 Sep 02 Perl projects for newbies 2009 Aug 31 Improving the Padre experience 2009 Aug 29 Improving the Moose experience 2009 Aug 24 Yet another reason why it is important to be nice to newbies 2009 Aug 23 Women at YAPC 2009 Aug 21 More women in the Perl community? Why should I care? 2009 Aug 19 Dreamwidth account for Padre and myself 2009 Aug 17 How to help Perl in your organization? 2009 Aug 15 New life in SDL Perl 2009 Aug 13 Perldoc translations 2009 Aug 12 Measurable objectives for the Perl ecosystem 2009 Aug 10 Marketing BOF at YAPC::EU 2009 2009 Aug 10 YAPC::EU Lisbon, Thank you! 2009 Aug 06 Where to find Windows users to try Padre, the Perl IDE? 2009 Aug 04 Perl 6 training report - YAPC::EU 2009 2009 Jul 28 Padre BOF at YAPC::EU 2009 2009 Jul 28 Who needs more marketing in the Perl world? 2009 Jul 26 Why do you learn Perl 6? 2009 Jul 26 Is it really hard to find good Perl programmers? 2009 Jul 25 Perception is Reality - we need a director of marketing 2009 Jul 22 Better collaboration tools 2009 Jul 21 NetBeans IDE 6.7 Provides Effective Integration with Project Kenai 2009 Jul 19 Promoting Strawberry Perl for Windows 2009 Jul 16 Why am I writing Padre? - The business aspect 2009 Jul 16 Perl 6 Regexes (r) 2009 Jul 14 Perl 6 files 2009 Jul 11 Padre stand-alone installer for Windows - first beta version 2009 Jul 09 The Success of Ubuntu 2009 Jul 09 Padre 0.39 released 2009 Jul 08 The Corporate CPAN II 2009 Jul 02 Why am I writing Padre? 2009 Jul 01 Test Reporting system: Smolder wish-list 2009 Jun 30 The Ubuntu Business model and Perl 2009 Jun 28 Perl 5 Personal Service 2009 Jun 25 Padre 0.37 released 2009 Jun 23 Things I am missing from Iron Man 2009 Jun 22 When is the next release of Perl? 2009 Jun 20 Live Help - IRC channels 2009 Jun 17 Perl 5 to Perl 6 - Arrays (r) 2009 Jun 16 Perl 5 to Perl 6 - Scalars (r) 2009 Jun 15 Introduction to PHPUnit 2009 Jun 13 Comparing the Eclipse Foundation with The Perl Foundation and EPO 2009 Jun 10 Help your vendor packaging CPAN modules 2009 Jun 08 Plans for the next 2-3 months 2009 Jun 05 If you change the code of an open source application no one will support you 2009 Jun 03 I hate Net::SSH::Perl 2009 Jun 02 Why www is (un)necessary in the web addresses 2009 May 31 Planning an SQL or DBI plugin for Padre 2009 May 30 The importance of frequent binary releases 2009 May 30 Padre 0.36 released 2009 May 25 The Corporate CPAN 2009 May 22 Perl 6 training in Lisbon in August 2009 May 18 Perl Programming 2009 May 09 CPAN Dependency browser 2009 May 04 Ideas for Padre plugins 2009 Apr 30 If you can read this then you don't need this 2009 Apr 28 Padre 0.34 Released 2009 Apr 27 SmartLinks on CPAN now 2009 Apr 26 Syntax::Highlight::Engine::Kate anyone seen Hans Jeuken? 2009 Apr 23 Iron Man Blogging contest 2009 Apr 14 Padre and Catalyst 2009 Apr 10 You show them mine, I show them yours 2009 Apr 09 The Perl 5 - Perl 6 divide 2009 Apr 08 Reporting Test Results 2009 Apr 06 What is the last element of an infinite list or how to get started with Perl 6 ? 2009 Mar 30 Perl 6 subroutines (r) 2009 Mar 25 Testing a (Perl) Web application without a lot of setup 2009 Mar 23 Embedding Perl 6 in Perl 5 2009 Mar 21 Padre and Google Summer of Code 2009 2009 Mar 20 Perl 6: Looping over a list of values one at a time, two at a time and more (r) 2009 Mar 17 Perl 6: Is a value IN a given list of values? (r) 2009 Mar 15 Testing PHP Applications 2009 Mar 13 Perl 6: Scalar, Array and Hash interpolation (r) 2009 Mar 12 Perl 6: Arrays with unique values (r) 2009 Mar 11 Testing PHP code with SimpleTest 2009 Mar 09 Ending the Padre and Parrot integration grant 2009 Mar 08 Spine, the Perl CMS (Content Management System) 2009 Mar 07 Better Than Grep 2009 Mar 07 Vim as Perl IDE 2009 Mar 05 No cookies for me 2009 Mar 02 German Perl Workshop 2009 Feb 28 Hands on Perl 6 training in Oslo 2009 Feb 24 No good Perl for Win32 ? 2009 Feb 20 Moaning Goat Meter 2009 Feb 19 Experimental Perl 6 training / workshop in Frankfurt 2009 Feb 18 Twitter 2009 Feb 18 Prices 2009 Feb 18 More Padre blogs 2009 Feb 16 Methods and Messages: Randal Schwartz on Smalltalk 2009 Feb 16 What is Modern Perl? 2009 Feb 15 Padre blogs 2009 Feb 15 TOP 100 CPAN packages 2009 Feb 10 The Five Forces in the Language Wars 2009 Feb 08 Shimming for testing Perl 6 code released to CPAN 2009 Feb 04 Writing Perl 6 can be frustrating 2009 Feb 02 Padre 0.26 released 2009 Jan 21 Mocking real world to test a wrapper 2009 Jan 18 Test Automation Training in Oslo, Norway 2009 Jan 17 Operation on a Series of Integers in Perl 6 (r) 2009 Jan 16 Embedding Parrot in Perl 5 2009 Jan 13 Test Automation using Perl Training in Frankfurt, Germany 2009 Jan 12 Getting Started with Perl 6 2009 Jan 10 Perl 6 syntax highlighting 2009 Jan 01 Perl 6 Cookbook 2009 Jan 01 New Year's Resolutions 2009 2008 Dec 30 PPI based Syntax highlighting for Perl 5 2008 Dec 29 Syntax highlighting for Perl 6 2008 Dec 11 Plans for Integrating Padre with Parrot and Rakudo 2008 Dec 10 Grant accepted for Integrating Padre with Parrot and Rakudo 2008 Dec 10 Plans for the next month or two 2008 Dec 05 Perlsphere 2008 Nov 30 Portable Padre 0.19 for Windows 2008 Nov 27 10-fold grows in Padre user base 2008 Nov 26 How many test harnesses are too many? 2008 Nov 25 Licenses on CPAN. Again 2008 Nov 20 Padre talk in Haifa, reality check 2008 Nov 17 Padre 0.17 was released 2008 Nov 12 Talking about Padre and wxPerl in Haifa 2008 Nov 11 Backlinks or links back to your site 2008 Nov 10 Building your resume 2008 Nov 09 How to run an Open Source Project 2008 Nov 06 Syntax highlighting nightmare 2008 Nov 04 2008Q4 TPF Grant Proposals 2008 Nov 02 Subversion committer statistics 2008 Oct 28 Perl Application Development and Distribution Platform 2008 Oct 28 Compare Languages by usage 2008 Oct 23 Yak shaving 2008 Oct 21 Recursive development that leads nowhere 2008 Oct 18 Licenses in META.yml on CPAN 2008 Oct 17 Shall I enable some form of track-back or commenting? 2008 Oct 15 Shana Tova - New Year's resolution 2008 Oct 15 Perl needs is_number and similar functions (nearly built in) 2008 Sep 22 The Quest for the Perfect Editor 2008 Sep 04 Living on the border 2008 Sep 02 TAP - Test Anything Protocol 2008 Aug 31 Padre - the journey I. 2008 Aug 21 Who needs an IDE for Perl anyway? 2008 Aug 09 Padre project web site 2008 Jul 26 Padre 2008 Jul 23 White Camel 2008 Jul 18 Name a Perl IDE - get a Perl book or YAPC ticket 2008 Jul 09 QA Hackathon in Israel 2008 Jul 01 OSDC Israel 2009 - Call for organizers 2008 Jun 11 Selenium on Ubuntu 8.04 (Hardy) 2008 Jun 09 Testing Hello World 2008 Jun 08 Wifi is working again! 2008 Jun 07 CPANTS update 2008 Jun 04 Frequent Internet blackouts 2008 Jun 03 Upgrading to Ubuntu 8.04 Hardy on Compaq (HP) nc6400. 2008 May 23 Test Automation Tips 2008 May 22 Open Source IDE for Perl 2008 May 21 This week in Ruby 2008 May 21 Being included on Planet Perl 2008 May 14 Adding tag cloud to the blog 2008 May 14 Ubuntu 7.04 (beta) Feisty Fawn on Compaq (HP) nc6400 2008 May 13 Test automation using Perl master class in Chicago 2008 May 13 Adding tags to the blog 2008 May 09 Automated Testing in PHP, Python, Ruby and Perl 2008 Apr 03 Strawberry Perl for Windows 2008 Apr 01 Oslo Hackathon day -4 2008 Mar 27 Blogging about Perl outside the community? 2008 Mar 27 OSCON Proposals rejected 2008 Mar 26 Preparing for the QA Hackathon in Oslo 2008 Mar 25 Missing licenses on CPAN modules? 2008 Mar 24 License of Perl Modules on CPAN 2007 Dec 24 Joining Technorati? 2007 Dec 24 Regular Expressions in Perl 5.10 2007 Dec 24 Switching in Perl 5.10 (r) 2007 Dec 24 Smart Matching in Perl 5.10 (r) 2007 Dec 24 What's new in Perl 5.10? say, //, state (r) 2007 Dec 23 The Zulo interview was published 2007 Dec 08 Frequency of programming languages on LinkedIn 2007 Dec 06 Interview in Zulo 2007 Dec 06 Sun Startup Essentials Launch 2007 Aug 25 Testing PostgresSQL 2007 Aug 25 Testing Pugs and Perl 6 2007 Aug 22 Testing Ruby 2007 Aug 22 Testing GHC, the Glasgow Haskell Compiler 2007 Aug 22 Testing NUT, the Network UPS Tools 2007 Aug 21 Testing SQLite (r) 2007 Aug 20 Smoked Parrot 2007 Aug 20 Quality Assurance of Perl 5 2007 Jul 09 Using mod_perl for szabgab.com 2007 Jul 07 Quality Assurance and Automated Testing in Open Source Software (r) 2007 Jul 07 Add tags to CPAN modules via CPAN::Forum 2007 Jun 15 Windows on VMware 2007 Jun 13 Reducing the social gap of the information age 2007 May 25 Moving to a new server 2007 May 04 Preparing an application for distribution 2007 May 01 Spreadsheet::ParseExcel is looking for a maintainer 2007 Apr 28 CPAN Modules in Linux Distributions 2007 Apr 18 Version control of single files using Subversion 2007 Apr 13 Testing results, Perl and CPAN module availability 2006 Aug 05 Perltraining.org split into two 2006 Jul 23 Upgrading Ubuntu to 6.06, (Dapper Drake) 2006 Jul 22 Ginger Spam Salad 2006 Jul 20 Automating the blog 2006 Jul 19 Wish list: search engine for Perl related sites 2006 Jul 19 Perltraining.org 2006 Jul 19 More blog related issues 2006 Jul 19 Starting a blog 2003 Sep 29 PayPal 1970 Jan 01 Programming language popularity: Rust 1970 Jan 01 QR code 1970 Jan 01 News &copy; 2004-2025 Gábor Szabó
2026-01-13T08:49:19
https://dev.to/t/git/page/75
Git Page 75 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Git Follow Hide Software for tracking changes in any set of files, usually used for coordinating work among programmers collaboratively developing source code during software development. Create Post Older #git posts 72 73 74 75 76 77 78 79 80 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Automatically pull, when you enter a git repo (cli) Krishna Modepalli Krishna Modepalli Krishna Modepalli Follow Aug 31 &#39;24 Automatically pull, when you enter a git repo (cli) # git # automation # gitpull 1  reaction Comments Add Comment 1 min read Good Vs Bad Code pull request reviews with Peer to Peer Andrew Chadwick Andrew Chadwick Andrew Chadwick Follow Aug 8 &#39;24 Good Vs Bad Code pull request reviews with Peer to Peer # git # github # csharp Comments Add Comment 2 min read How to remove your secrets from your Git repository? Brice Friha Brice Friha Brice Friha Follow Sep 11 &#39;24 How to remove your secrets from your Git repository? # git # programming # security 1  reaction Comments Add Comment 2 min read Understanding Git&#39;s -m and -am Options: Simplifying Your Commit Workflow Shyamalendu Nayak Shyamalendu Nayak Shyamalendu Nayak Follow Sep 11 &#39;24 Understanding Git&#39;s -m and -am Options: Simplifying Your Commit Workflow # git # github # gitlab # coding 4  reactions Comments 2  comments 3 min read GitLab CI - A Comprehensive Dive into CI and CD : Day 41 of 50 days DevOps Tools Series Shivam Agnihotri Shivam Agnihotri Shivam Agnihotri Follow Sep 11 &#39;24 GitLab CI - A Comprehensive Dive into CI and CD : Day 41 of 50 days DevOps Tools Series # devops # gitlab # cicd # git 5  reactions Comments Add Comment 7 min read How to setup your own &quot;Git Server&quot; Kurt De Austria Kurt De Austria Kurt De Austria Follow Sep 10 &#39;24 How to setup your own &quot;Git Server&quot; # git # microsoft # beginners # learning 1  reaction Comments Add Comment 2 min read Git Keywords mrcaption49 mrcaption49 mrcaption49 Follow Sep 10 &#39;24 Git Keywords # git # github # githubactions # gitlab 2  reactions Comments Add Comment 1 min read Git Diff Comparison Methods Louis Liu Louis Liu Louis Liu Follow Sep 10 &#39;24 Git Diff Comparison Methods # git # github # diff # githubhack 2  reactions Comments Add Comment 4 min read Why Every Developer Should Learn Version Control? Tajammal Mabool Tajammal Mabool Tajammal Mabool Follow Sep 10 &#39;24 Why Every Developer Should Learn Version Control? # git # github # softwaredevelopment # developer 2  reactions Comments 1  comment 2 min read Git push: fatal: the remote end hung up unexpectedly Vidyasagar SC Machupalli Vidyasagar SC Machupalli Vidyasagar SC Machupalli Follow Sep 10 &#39;24 Git push: fatal: the remote end hung up unexpectedly # git # shortposts # mkdocs 25  reactions Comments Add Comment 4 min read How to Use GitHub Submodules for Better Code Management S3CloudHub S3CloudHub S3CloudHub Follow Sep 10 &#39;24 How to Use GitHub Submodules for Better Code Management # git # github # management 3  reactions Comments Add Comment 4 min read remote: Support for password authentication was removed on August 13, 2021. fatal: Authentication failed Faizan Raza Faizan Raza Faizan Raza Follow Aug 8 &#39;24 remote: Support for password authentication was removed on August 13, 2021. fatal: Authentication failed # github # git # linux # gcm 2  reactions Comments Add Comment 1 min read Deploying a Node.js project to Netlify mrcaption49 mrcaption49 mrcaption49 Follow Sep 10 &#39;24 Deploying a Node.js project to Netlify # netlify # devops # githubactions # git 12  reactions Comments Add Comment 3 min read Understanding the Role of Git Tags in Version Control Aditya Pratap Bhuyan Aditya Pratap Bhuyan Aditya Pratap Bhuyan Follow Sep 10 &#39;24 Understanding the Role of Git Tags in Version Control # git # tags # versioncontrol 1  reaction Comments Add Comment 3 min read Open source Contribution, First Pull Request Idrissa HEMEDY Idrissa HEMEDY Idrissa HEMEDY Follow for Kali Academy Sep 9 &#39;24 Open source Contribution, First Pull Request # webdev # opensource # github # git 3  reactions Comments 1  comment 5 min read Como atualizar um repositório &#39;forkado&#39; com git rebase Bruno Romeiro Bruno Romeiro Bruno Romeiro Follow Sep 9 &#39;24 Como atualizar um repositório &#39;forkado&#39; com git rebase # git # fork # rebase # braziliandevs 1  reaction Comments Add Comment 1 min read GitHub Actions Tutorial — Basic Concepts S3CloudHub S3CloudHub S3CloudHub Follow Sep 9 &#39;24 GitHub Actions Tutorial — Basic Concepts # git # github # githubactions # azure Comments Add Comment 4 min read &quot;How Confusing Can Version Control Be?&quot; Angel Afube Angel Afube Angel Afube Follow Sep 9 &#39;24 &quot;How Confusing Can Version Control Be?&quot; # beginners # git # webdev # frontend Comments Add Comment 3 min read 🚀Day 8: Beginner’s Guide to Git and GitHub Ritesh Dolare Ritesh Dolare Ritesh Dolare Follow Aug 6 &#39;24 🚀Day 8: Beginner’s Guide to Git and GitHub # git # github # devops # learning Comments Add Comment 1 min read Docker commands mrcaption49 mrcaption49 mrcaption49 Follow Sep 9 &#39;24 Docker commands # docker # kubernetes # cicd # git 3  reactions Comments Add Comment 2 min read Git Squash! The terminal way Bhanu Reddy Bhanu Reddy Bhanu Reddy Follow Aug 5 &#39;24 Git Squash! The terminal way # git # github # gitlab Comments Add Comment 2 min read Git Feature Flow – A More Flexible Branch Model for Incremental Releases Than Git-Flow koyopro koyopro koyopro Follow Sep 8 &#39;24 Git Feature Flow – A More Flexible Branch Model for Incremental Releases Than Git-Flow # git # gitflow # githubflow # productivity 2  reactions Comments Add Comment 4 min read Messed up a git rebase? Now What? José David Ureña Torres José David Ureña Torres José David Ureña Torres Follow Sep 8 &#39;24 Messed up a git rebase? Now What? # git # github # softwareengineering # softwaredevelopment Comments Add Comment 8 min read How to remove a leaked .env file from GitHub permanently... Kodebae Kodebae Kodebae Follow Aug 31 &#39;24 How to remove a leaked .env file from GitHub permanently... # git # github # security # beginners 115  reactions Comments 24  comments 2 min read Best DevOps Automation Tools to Supercharge Your Workflow Devops Den Devops Den Devops Den Follow Sep 8 &#39;24 Best DevOps Automation Tools to Supercharge Your Workflow # webdev # devops # git # terraform Comments Add Comment 3 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://dev.to/t/hardware
Hardware - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # hardware Follow Hide Discussing monitors, tablets, laptops, and other design hardware Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu I Bought a Robot Vacuum, Not a Cloud Spy Alex Root Alex Root Alex Root Follow Jan 12 I Bought a Robot Vacuum, Not a Cloud Spy # hardware # iot # embedded # diy 5  reactions Comments Add Comment 8 min read Production-Ready Low-Power IoT Trackers: EVT-DVT-PVT, Testing &amp; Resilient Supply Chains applekoiot applekoiot applekoiot Follow Jan 12 Production-Ready Low-Power IoT Trackers: EVT-DVT-PVT, Testing &amp; Resilient Supply Chains # iot # hardware # manufacturing # supplychain Comments Add Comment 5 min read Reflexes, Cognition, and Thought Jennifer Davis Jennifer Davis Jennifer Davis Follow Jan 7 Reflexes, Cognition, and Thought # showdev # arduino # hardware # beginners Comments Add Comment 5 min read The RGB LED Sidequest 💡 Jennifer Davis Jennifer Davis Jennifer Davis Follow Jan 5 The RGB LED Sidequest 💡 # showdev # arduino # hardware # beginners Comments Add Comment 3 min read Four Sketches and a Rewire: The Path to Droid Brains Jennifer Davis Jennifer Davis Jennifer Davis Follow Jan 5 Four Sketches and a Rewire: The Path to Droid Brains # showdev # arduino # hardware # beginners Comments Add Comment 4 min read USB-C, Power Delivery (PD) &amp; GaN — Explained Simply Bijal Parekh Bijal Parekh Bijal Parekh Follow Jan 2 USB-C, Power Delivery (PD) &amp; GaN — Explained Simply # usbc # hardware # powerdelivery # gadgets Comments Add Comment 3 min read How Tech Is Helping the Environment: Green Gadgets Adnan Arif Adnan Arif Adnan Arif Follow Jan 3 How Tech Is Helping the Environment: Green Gadgets # gadgets # technology # hardware # programming Comments Add Comment 4 min read Debugging Random Reboots with Claude Code: A PSU Power Limit Story Eugene Oleinik Eugene Oleinik Eugene Oleinik Follow Jan 1 Debugging Random Reboots with Claude Code: A PSU Power Limit Story # linux # hardware # debugging # claudecode Comments Add Comment 3 min read 🖥️ The DEC-VAX: The Machine That Changed Computing History Franz Franz Franz Follow Dec 31 &#39;25 🖥️ The DEC-VAX: The Machine That Changed Computing History # history # retrocomputing # legacy # hardware Comments Add Comment 2 min read Você deve testar a Saúde do seu HD! Gustavo Machado Gustavo Machado Gustavo Machado Follow Dec 26 &#39;25 Você deve testar a Saúde do seu HD! # hardware # harddisk # tutorial # resources 1  reaction Comments 1  comment 5 min read Relearning the Arduino Jennifer Davis Jennifer Davis Jennifer Davis Follow Jan 4 Relearning the Arduino # arduino # hardware # beginners Comments Add Comment 3 min read WTF is Heterogeneous Computing? Daily Bugle Daily Bugle Daily Bugle Follow Dec 20 &#39;25 WTF is Heterogeneous Computing? # heterogeneous # computing # hardware Comments Add Comment 3 min read Fixing: Ubuntu lost network after kernel upgrade Rost Rost Rost Follow Dec 17 &#39;25 Fixing: Ubuntu lost network after kernel upgrade # linux # bash # devops # hardware Comments Add Comment 3 min read Build an RF Test Bench on a Limited Budget (Starter / Growth / Advanced) Maron Zhang Maron Zhang Maron Zhang Follow Dec 16 &#39;25 Build an RF Test Bench on a Limited Budget (Starter / Growth / Advanced) # rf # test # hardware # instrumentation Comments Add Comment 5 min read When a PCB Trace Becomes a Transmission Line (And Why It Broke My Design) entelalleka entelalleka entelalleka Follow Dec 15 &#39;25 When a PCB Trace Becomes a Transmission Line (And Why It Broke My Design) # pcb # hardware # engineering # embedded Comments Add Comment 7 min read Fixing My HP 245 G7 Without Even Knowing (How My Tech Journey Started) Kuroi Hub Kuroi Hub Kuroi Hub Follow Dec 10 &#39;25 Fixing My HP 245 G7 Without Even Knowing (How My Tech Journey Started) # laptop # hardware # tech # beginners Comments Add Comment 2 min read EMI/EMC Pre-Compliance: How to Catch Failures Before Sending Products to the Lab RevineTech RevineTech RevineTech Follow Dec 9 &#39;25 EMI/EMC Pre-Compliance: How to Catch Failures Before Sending Products to the Lab # hardware # electronics # spectrumanalyzers Comments Add Comment 4 min read Laptop Power Light On But Won&#39;t Boot? 7 Fixes That Work (2025) Bryan Collins Bryan Collins Bryan Collins Follow Dec 6 &#39;25 Laptop Power Light On But Won&#39;t Boot? 7 Fixes That Work (2025) # laptoprepair # techsupport # troubleshooting # hardware Comments Add Comment 2 min read Stripboard Savior: AI Automates Your Circuit Layouts Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 6 &#39;25 Stripboard Savior: AI Automates Your Circuit Layouts # electronics # ai # logicprogramming # hardware Comments Add Comment 2 min read Stripboard Nirvana: Automated Circuit Layout with Logic Power Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 5 &#39;25 Stripboard Nirvana: Automated Circuit Layout with Logic Power # electronics # programming # hardware # ai Comments Add Comment 2 min read Huge RAM Price Surge in 2025: 163-275% and more... Rost Rost Rost Follow Dec 3 &#39;25 Huge RAM Price Surge in 2025: 163-275% and more... # hardware # ai # selfhosting Comments Add Comment 9 min read Pocket AI: Unleashing LLMs on the Edge with Flash-Native Key-Value Storage by Arvind Sundararajan Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 4 &#39;25 Pocket AI: Unleashing LLMs on the Edge with Flash-Native Key-Value Storage by Arvind Sundararajan # machinelearning # ai # embedded # hardware Comments Add Comment 2 min read Best Laptops Under $800 in 2025 – I Bought and Tested 12 Myself Honest laptopreview Honest laptopreview Honest laptopreview Follow Dec 7 &#39;25 Best Laptops Under $800 in 2025 – I Bought and Tested 12 Myself # hardware # productivity # laptops # review Comments Add Comment 4 min read Why I stopped using &quot;Project Folders&quot; for Hardware R&amp;D (and built a Mesh system instead) Jeremy Tzeng Jeremy Tzeng Jeremy Tzeng Follow Dec 3 &#39;25 Why I stopped using &quot;Project Folders&quot; for Hardware R&amp;D (and built a Mesh system instead) # productivity # career # hardware # notion Comments Add Comment 1 min read Power Naps for AI: Unleashing Energy-Efficient Edge Inference Arvind SundaraRajan Arvind SundaraRajan Arvind SundaraRajan Follow Dec 1 &#39;25 Power Naps for AI: Unleashing Energy-Efficient Edge Inference # machinelearning # hardware # ai # optimization 1  reaction Comments Add Comment 2 min read loading... trending guides/resources Fixing: Ubuntu lost network after kernel upgrade CPUs &amp; RAM Explained — How Computers Actually Think and Remember When a PCB Trace Becomes a Transmission Line (And Why It Broke My Design) How to Power IoT and Embedded Devices Efficiently with Lithium Batteries Hardware vs Software: Which One Really Came First? Huge RAM Price Surge in 2025: 163-275% and more... Relearning the Arduino Fixing My HP 245 G7 Without Even Knowing (How My Tech Journey Started) The Path Toward Embedded Systems Expertise Build an RF Test Bench on a Limited Budget (Starter / Growth / Advanced) AI-Powered Chip Design: Predict Performance Before Layout with &quot;Parasitic Gate&quot; Stripboard Savior: AI Automates Your Circuit Layouts Smart Chips, Steady Power: Boosting AI Performance with Voltage Drop Prediction Spiking Neural Networks: The Next Leap in AI Power Efficiency by Arvind Sundararajan Stripboard Nirvana: Automated Circuit Layout with Logic Power Adaptive Gripping: Bridging the Dexterity Gap in Robotics Reflexes, Cognition, and Thought Beyond Limits: Unleashing PIM Potential with Intelligent Power Management Você deve testar a Saúde do seu HD! 🖥️ The DEC-VAX: The Machine That Changed Computing History 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.python.org/events/#site-map
Our Events | Python.org Notice: While JavaScript is not essential for this website, your interaction with the content will be limited. Please turn JavaScript on for the full experience. Skip to content &#9660; Close Python PSF Docs PyPI Jobs Community &#9650; The Python Network Donate &equiv; Menu Search This Site GO A A Smaller Larger Reset Socialize LinkedIn Mastodon Chat on IRC Twitter About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner&#x27;s Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Upcoming Events Python Meeting Düsseldorf 14 Jan. 2026 2026 5pm UTC – 8pm UTC Düsseldorf, Germany Python Leiden User Group 22 Jan. 2026 2026 6:15pm UTC – 9pm UTC Leiden, The Netherlands PyLadies Amsterdam: Robotics beginner class with MicroPython 27 Jan. 2026 2026 5pm UTC – 8pm UTC Amsterdam, The Netherlands and Online Python Devroom @ FOSDEM 2026 31 Jan. 2026 2026 Brussels, Belgium PyCon Namibia 2026 20 Feb. 2026 &ndash; 26 Feb. 2026 Windhoek, Namibia Python BarCamp Karlsruhe 2026 21 Feb. 2026 &ndash; 22 Feb. 2026 Karlsruhe, Germany PyConf Hyderabad 2026 14 March 2026 &ndash; 15 March 2026 Hyderabad, Telangana, India PyCascades 2026 21 March 2026 &ndash; 22 March 2026 Vancouver, British Columbia, Canada PythonAsia 2026 21 March 2026 &ndash; 23 March 2026 Malate, Philippines PyCon Lithuania 2026 08 April 2026 &ndash; 10 April 2026 Vilnius, Lithuania PyCon DE &amp; PyData 2026 14 April 2026 &ndash; 17 April 2026 Darmstadt, Germany PyTexas 2026 17 April 2026 &ndash; 19 April 2026 Austin, USA PyCon Austria 2026 19 April 2026 &ndash; 20 April 2026 Eisenstadt, Austria Python Meeting Düsseldorf 22 April 2026 2026 4pm UTC – 7pm UTC Düsseldorf, Germany PyCon US 2026 13 May 2026 &ndash; 18 May 2026 Long Beach, CA, USA PyCon Italia 2026 27 May 2026 &ndash; 30 May 2026 Bologna, Italy PyOhio 2026 25 July 2026 &ndash; 26 July 2026 Cleveland, USA PyCon AU 2026 26 Aug. 2026 &ndash; 30 Aug. 2026 Brisbane, Australia PyCon PL 2026 27 Aug. 2026 &ndash; 30 Aug. 2026 Gliwice, Poland PyCon Kenya 2026 28 Aug. 2026 &ndash; 29 Aug. 2026 Nairobi, Kenya DjangoCon US 2026 14 Sept. 2026 &ndash; 18 Sept. 2026 Chicago, USA PyBay 2026 03 Oct. 2026 2026 San Francisco, CA, USA PyCon Estonia 2026 08 Oct. 2026 &ndash; 09 Oct. 2026 Tallinn, Estonia PyCon Greece 2026 12 Oct. 2026 &ndash; 13 Oct. 2026 Athens , Greece You just missed... PyData Global 2025 09 Dec. 2025 &ndash; 11 Dec. 2025 Online Building an AI Agent 25 Nov. 2025 2025 5:30pm UTC – 8pm UTC JetBrains Amsterdam Terrace Tower office; Gelrestraat 16, 1079 MZ, Amsterdam, The Netherlands Python Events Calendars For Python events near you, please have a look at the Python events map . The Python events calendars are maintained by the events calendar team . Please see the events calendar project page for details on how to submit events , subscribe to the calendars , get Twitter feeds or embed them. Thank you. &#9650; Back to Top About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner&#x27;s Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Contributing Developer&#x27;s Guide Issue Tracker python-dev list Core Mentorship Report a Security Issue &#9650; Back to Top Help &amp; General Contact Diversity Initiatives Submit Website Bug Status Copyright &copy;2001-2026. &nbsp; Python Software Foundation &nbsp; Legal Statements &nbsp; Privacy Notice Powered by PSF Community Infrastructure -->
2026-01-13T08:49:19
https://fabiorosado.dev
Home | Fabio Rosado Home About Articles Projects Books Cheatsheets Contact Hello, I&#x27;m the flying dev, a flight attendant by day and a developer by night. I build projects live on twitch, contribute to open source and talk with devs about their journey into tech at Landing in Tech podcast. Let&#x27;s Chat! Say Hello Articles Looking for something? This article will show you how to setup DynamoDB locally, so you can test your code without having to use your AWS account. Read More Databases How to setup DynamoDB locally This article will show you how to create an use indexes in DynamoDB using the python library aioboto3. Read More Databases How to create and use indexes in DynamoDB Exploration on how to run Pyscript in a React (NextJS) app, this article explores issues and solutions to run PyScript in a React app. Read More PyScript How to run PyScript in React While working on adding tests to Pyscript I came across a use case where I had to check if an example image is always generated the same. Read More Python How to compare two images using NumPy How to return an attribute from a many-to-many object relationship from a Django Ninja API endpoint. Read More Python Django Ninja Schemas and Many To Many Learn how to allow users to upload a profile picture in your site/app and display on each visit without needing a backend. Read More Typescript How to upload and display images without backend When using monorepos it can be a bit confusing how to deploy to gitlab pages from a specific folder, this article will help you with it. Read More CI How to setup Gitlab pages from a folder Learn what additional permissions you need to add to your user to get django to run tests with a postgresql database. Read More Python Fix django postgresql permissions denied on tests Currently Reading Title: Code Complete Author: Steve McConnell Progress: 10% Read my notes Latest Cheatsheets LunarVim Bash Scripting Docker Command Line Shortcuts Vim Tools of Trade Projects Podcast Landing in Tech A livestream/podcast where I speak with developers about their journey into tech. The podcast aims to help other folks see real live examples of how one can become a developer. Read more Source Code React Gatsby Opsdroid Website Thumbs Up News Classify positive news from RSS feeds and show them on a single place. This project is hosted on DO and being served from docker and nginx. Read more Source Code Django Docker NextJS Website LandL Build Client work to design and code the page for the LandL Build building company, used mailgun to connect contact forms directly to email. Read more Source Code Contentful Gatsby MailGun Name Email Message Say Hello Contact Me Want to get in touch with me? Request more information about myself or my experience? Would you like to know what is my favourite ice cream or pizza? Send me an email or find me on social media, I will reply as quick as possible. I&#x27;m always happy to have a chat! Home Articles Portfolio Contact
2026-01-13T08:49:19
https://dev.to/askmianzaheer
Mian Zaheer - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Mian Zaheer 404 bio not found Joined Joined on  Jan 4, 2025 Personal website https://rankthrill.com More info about @askmianzaheer Badges One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close Post 7 posts published Comment 0 comments written Tag 0 tags followed Small Business Server Sizing Guide: CPU, RAM, SSDs Mian Zaheer Mian Zaheer Mian Zaheer Follow Jan 8 Small Business Server Sizing Guide: CPU, RAM, SSDs # architecture # performance # resources Comments Add Comment 5 min read Best Collaboration Tools for Remote Small Teams Mian Zaheer Mian Zaheer Mian Zaheer Follow Jan 8 Best Collaboration Tools for Remote Small Teams Comments Add Comment 5 min read How to Set Up an iPad for Your Child Mian Zaheer Mian Zaheer Mian Zaheer Follow Jan 8 How to Set Up an iPad for Your Child # ios # privacy # security # tutorial Comments Add Comment 4 min read Can You Share a Single Sheet in Google Sheets? 3 Easy Methods Mian Zaheer Mian Zaheer Mian Zaheer Follow Aug 27 &#39;25 Can You Share a Single Sheet in Google Sheets? 3 Easy Methods Comments Add Comment 3 min read Guide to Choosing Chargeback Solutions That Work Best Now Mian Zaheer Mian Zaheer Mian Zaheer Follow Jul 19 &#39;25 Guide to Choosing Chargeback Solutions That Work Best Now # chargebackmanagement # ecommerce Comments Add Comment 3 min read How Automation and Data Pipelines Improve Productivity for Businesses and Individuals Mian Zaheer Mian Zaheer Mian Zaheer Follow Apr 22 &#39;25 How Automation and Data Pipelines Improve Productivity for Businesses and Individuals # datascience # cloudcomputing # automation Comments Add Comment 4 min read What are the 5 best cloud encryption software options for Mac users in 2025? Mian Zaheer Mian Zaheer Mian Zaheer Follow Jan 4 &#39;25 What are the 5 best cloud encryption software options for Mac users in 2025? # cloudcomputing # webdev # devops # productivity Comments Add Comment 7 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://stripe.com/gb/privacy
Chat with Stripe sales Privacy Policy Stripe logo Legal Stripe Privacy Policy &amp; Privacy Center Privacy Policy Cookies Policy Data Privacy Framework Service Providers List Data Processing Agreement Supplier Data Processing Agreement Stripe Privacy Center Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you&#39;re a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you&#39;ve bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called &quot;Link,&quot; which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User&#39;s lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you&#39;re an End Customer, please refer to the privacy policy of the Business User you&#39;re doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you&#39;re an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we&#39;ve collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers&#39; Personal Data with them. Where allowed, we also use End Customers&#39; Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers&#39; Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don&#39;t finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives&#39; Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives&#39; Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that&#39;s tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer (&quot;KYC&quot;) laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering (&quot;AML&quot;) and Know-Your-Customer (“KYC&quot;) regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We&#39;ll try to process your request(s) as quickly as reasonably practicable. However, it&#39;s important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it&#39;s inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you&#39;ve submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it&#39;s technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account&#39;s security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you&#39;re doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you&#39;ve used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it&#39;s sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom (&quot;UK&quot;), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the Europe
2026-01-13T08:49:19
https://marketplace.visualstudio.com/items?itemName=Graphite.gti-vscode
Graphite: visual Git for stacked PRs - Visual Studio Marketplace Skip to content | Marketplace Sign in Visual Studio Code &gt; SCM Providers &gt; Graphite: visual Git for stacked PRs New to Visual Studio Code?   Get it now. Graphite: visual Git for stacked PRs Graphite | 44,479 installs | ( 12 ) | Free Drag and drop rebasing, visualize dependency graphs &amp; create new branches with the click of a button Installation Launch VS Code Quick Open ( Ctrl+P ), paste the following command, and press enter. Copy Copied to clipboard More Info Overview Version History Q &amp; A Rating &amp; Review Graphite for VS Code Stacked PRs on Git: Drag and drop rebasing, visualize dependency graphs &amp; create new branches with the click of a button. Graphite is the easiest way to introduce stacked pull requests to your workflow. It automates away tedious Git operations and makes code review a breeze — key for fast moving, distributed teams. Learn how to create stacked pull requests, right from your editor Visualize your stack of changes &amp; quickly make changes as you develop Submit PRs &amp; sync remote changes painlessly with automatic rebasing Getting started Install Graphite for VS Code Open the sidebar tab or run Graphite: Open Graphite interactive from the&nbsp; command palette . This will help you install the Graphite CLI if you don’t already have it installed. Make your first stack (guide) What is a stack? A stack is&nbsp;a sequence of pull requests , each building off of its parent. Stacks enable users to break up a large engineering task into a series of small, incremental code changes,&nbsp; each of which can be tested, reviewed, and merged independently . What's new? Customization Left or right? You can drag the sidebar tab to your preferred side of the screen. Prefer using the extension in an editor tab instead of the sidebar? Change the “Show in Sidebar” option in your VS Code settings. Keyboard shortcuts? Define your own shortcut &nbsp;to run the&nbsp; graphite.open-gti &nbsp;command. Publishing PRs or drafts? Change this in the gear icon at the top of the extension. Docs Graphite quick start Installing &amp; authenticating the CLI VS Code extension docs Feedback We at Graphite love to hear from you! Join thousands of other stackers in our community Slack server . Contact us Jobs Privacy Manage cookies Terms of use Trademarks © 2026 Microsoft
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/videos/push-changes-to-remote?channel=cli
Pushing Changes to a Remote | Learn Git Video Course Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Learn Version Control with Git Our beginner-friendly video course teaches you the foundations of Git - and takes you from novice to master! 4 min episode 21 of 24 Pushing Changes to a Remote How can I push my changes to the remote server? What are tracking connections? Learn More Chapter Publishing a Local Branch in our online book. Chapter Inspecting Remote Data in our online book. Previous Video &laquo; Publishing a Local Repository on a Remote Next Video Pulling & Fetching Changes from a Remote &raquo; Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice &nbsp; | &nbsp; Privacy Policy &nbsp; | &nbsp; Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://www.git-tower.com/blog/posts/base-topic-parent-branches
Git Branching Explained: Base, Topic, and Parent Branches | Tower Blog You are using an outdated browser. Please upgrade your browser to improve your experience. Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download &lt; Back to Blog Git Branching Explained: Base, Topic, and Parent Branches Bruno Brito July 2025 | 10 min read Share: How do you integrate new features without breaking existing functionality? How do multiple developers work concurrently without conflicts? The answer lies in mastering Git's powerful branching capabilities. Within Git's powerful arsenal, branches are its absolute superpower. They let you, and your team, work on new ideas, fix bugs, and experiment without causing chaos in your main codebase. In this post, we'll take a deep dive into core Git branching concepts, showcasing why they are absolutely indispensable for stress-free software development. Let's jump right in by first identifying and distinguishing the key branch types, so you can clearly understand their role and value for any development team: Base Branches Topic Branches Parent Branches 1. The Foundation: Base Branches Imagine your project's main development path as the sturdy trunk of a tree, or the main highway in a bustling city. In Git, this is what we call a base branch. A base branch is a long-lived, stable branch that represents the primary line of development for your project. You'll most commonly encounter branches named main (the modern default, replacing the older master ) or develop . Think of it as the source of truth – the code that is either currently deployed to production, or is always in a deployable state. You can have multiple base branches: a typical example is a development branch where work is done and then at some point merged into main , representing your production state that can be deployed. 💡 In a nutshell : The "Base Branch" is the long-lived, stable branch (e.g., main , develop ) from which new features or fixes originate. It's the "source of truth" for the project's current state. The base branch serves as your project's unwavering foundation. It provides a consistent and reliable reference point for everyone on the team, ensuring that there's always a known good version of the code. This stability is crucial, as you don't want experimental or unfinished features breaking what's already working. As the main line of work lives in your base branches, they serve as essential reference points for many functionalities that determine whether work has been integrated and whether it is safe to delete a topic branch. When using commands like git branch --merged &lt;BRANCH&gt; or git branch --no-merged &lt;BRANCH&gt; , it is important to run these for every base branch to gain an overview of which branches have been merged upstream and which have not. In an upcoming version of Tower, this information will be used to automatically identify branches that have been merged. 2. Feature Focus: Topic Branches Now, let's say you're building a new feature, such as a user authentication system, or maybe fixing a tricky bug. You definitely don't want to mess with the stable base branch while you're experimenting! This is where topic branches come into play. A topic branch is a short-lived branch that you create to work on a specific feature, bug fix, or experiment. When you type something like git checkout -b new-auth-feature main , you're essentially saying, "Hey Git, create a new branch called new-auth-feature based on the current state of main , and then switch me over to it!" The lifecycle of a topic branch is straightforward: you create it, do your work, test it, and once it's complete and reviewed, you merge it back into your base branch. After the merge, the topic branch is typically deleted, keeping your repository tidy. 💡 In a nutshell : If main is the main road, a topic branch is a temporary detour you take to work on something specific. Once you're done, you merge your changes back onto the main road. Topic branches allow you to work on your changes in a completely isolated environment, which is clearly the main advantage of working this way. If your new feature introduces unexpected bugs or doesn't pan out as planned, it's contained within the topic branch. You can fix it there or simply discard the branch without ever affecting the stable main branch. Topic branches also provide a sensible way to collaborate. Multiple developers can work on different features simultaneously, creating their own topic branches so they don't step on each other's toes. This approach also has its advantages when it's time to review the code before merging, often through creating pull requests. Your teammates can review your changes, offer feedback, and approve them before they become part of the main codebase. As a bonus, this approach contributes to a clean project history, as your base branch maintains a clear, understandable, and linear history of integrated features rather than a jumbled mess of individual commits. 3. The Lineage: Parent Branches Every branch has a history, and part of that history is its parent branch. Simply put, the parent branch is the branch from which another branch was created. It's the immediate ancestor, defining the starting point and initial state of the new branch. Most often, when you create a topic branch like feature/shopping-cart , its parent branch will be your base branch, main or develop . The new feature/shopping-cart branch inherits all the commits and files that were present in main at the moment it was created. 💡 In a nutshell : The parent branch is the "origin" of a child branch. It's the branch whose history the new branch inherits at the moment of its creation. This relationship determines which changes will be exclusive to your topic branch compared to its parent branch. With Tower 14 for Mac , the parent branch is selected by default when using the "Compare" view, allowing you to see only the unique commits introduced by this feature branch. Tower 14 — Branch Comparison If you have multiple base branches, a base branch can also have another base branch as a parent. Consider our example from above (in the "Base Branches" section): your develop’s branch parent would be main , as work ultimately always flows upwards to your main branch. The other way around, if main would receive changes from e.g. hotfix branches, develop would need those changes from main in order to stay in sync. Tower 14 makes it easy to stay uptodate with the new "Update Branch" action. Tower 14 — "Update Branch" Action The parent branch is usually the branch that your topic branch will be merged back into, unless you are using stacked branches (see below). In that case, the stacked branch will ultimately be merged back into the trunk branch after all stacked parents have been merged. The Stacked Branches Workflow While a new branch typically sprouts directly from your base branch, sometimes your work is so extensive, or involves multiple interdependent logical changes, that it benefits from a more layered approach. This is where stacked branches, also known as &quot;stacked pull requests&quot; , come into play. These are a series of dependent topic branches. Instead of each new branch directly diverging from the base, they form a chain of dependencies. It looks something like this: The Stacked Branches Workflow In this scenario: refactor-payment-gateway 's parent is main . implement-stripe-integration 's parent is refactor-payment-gateway . add-subscription-plans 's parent is implement-stripe-integration . Each branch in the stack represents a distinct, logically isolated chunk of work, but they are built upon, and thus dependent on, the changes introduced in the "parent" branch below them in the stack. Stacked Branches: Pros and Cons Let's start with the good: Stacked Branches are a great solution when you're working on large features that can be overwhelming to review. By breaking them into a stack, each pull request (PR) for a branch in the stack is smaller and easier to understand, speeding up code reviews. This allows for faster, uninterrupted development since you don't have to wait for the first part of a large feature to be reviewed and merged before starting work on related parts. This also enables you to ship parts of a larger feature incrementally, delivering value sooner. Stacked branches can present some challenges, most notably the need for frequent rebasing to keep them up to date with the base branch. For this reason, additional tools are often recommended. Good news — Tower not only supports Stacked Branches but can do the restacking automatically for you! This was introduced in Tower 12 for Mac and Tower 8 for Windows . Restacking in Tower for Mac Specialized tools like Graphite can simplify the management of stacked pull requests. Tower is the only Git client with Graphite support , allowing for Stacked PR management without the need of using the Graphite CLI or the browser. You can learn all about this integration in the 5-minute video below: Best Practices for Branching To maximize the benefits of branching, we would like to share some advice with you, along with some helpful Tower tips! Keep Topic Branches small: Focus each topic branch on a single, logical change. Smaller branches are easier to review and manage. Descriptive naming is recommended: Make an effort to use meaningful names for your branches, such as feature/user-profile-edits , bugfix/login-form-validation , or hotfix/critical-api-issue . Merge or Rebase frequently: Regularly update your topic branch with the latest changes from its parent (usually the base branch) to minimize complex merge conflicts later on. With Tower, merging is as simply as dragging and dropping! Merging a branch in Tower with Drag and Drop Keeping topic branches up to date has become even easier with the release of Tower 14 for Mac . By setting up parent/child relationships, Tower will notify you whenever your branch needs updating; When this occurs, you can simply click the "Update Branch" action instead of manually merging or rebasing branches. Tower 14 – Track Parent Branch Always use pull requests for code review and integration: This ensures a thorough review process before changes hit the base branch. With Tower, you can create a pull request by simply dragging and dropping the desired branch onto the "Pull Requests" workspace view. Creating a pull request in Tower with Drag and Drop And if you are an adopter of the Stacked Branches workflow, remember to always restack to keep your branches in sync by restacking often. Tower 13 for Mac — Restack Branch Dialog Delete branches after merging: Once a topic branch is merged into your base branch, delete it from your local and remote repositories to keep things clean. In Tower's "Branches Review" view, you can filter by "Fully Merged" to pinpoint the branches that can be removed without hesitation. Cleaning up fully merged branches in Tower Final Words By embracing the foundational stability of your Base Branch, the focused isolation of Topic Branches, and the logical structure provided by Parent Branches (even in complex stacked scenarios), you are setting yourself and your team up for safe experimentation, parallel feature development, and clear code reviews. Follow these guidelines and our branching best practices to enjoy a development workflow that is more efficient, less stressful, and ultimately more productive. For more Git tips and tricks, don't forget to sign up for our newsletter below and follow Tower on Twitter / X and LinkedIn ! ✌️ Join Over 100,000 Developers &amp; Designers Be the first to know about new content from the Tower blog as well as giveaways and freebies via email. Join Over 100,000 Developers &amp; Designers Be the first to know about new content from the Tower blog as well as giveaways and freebies via email. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Table of Contents Introduction 1. The Foundation: Base Branches 2. Feature Focus: Topic Branches 3. The Lineage: Parent Branches The Stacked Branches Workflow Best Practices for Branching Final Words We make Tower, the best Git client. Try Tower Now Search the Blog Related Posts Understanding the Stacked Pull Requests Workflow In this post, let's explore the “Stacked Pull Requests” workflow: who it is intended for, its benefits, and the challenges associated with this approach. Tower 13 for Mac — Introducing Graphite Support Tower 13 introduces Graphite support! With this update, you can now manage your stacked branches and create Pull Requests without ever leaving our Git client. Understanding the Trunk-Based Development Workflow In this post, we'll explore what Trunk-based Development is, what makes it unique, its advantages, and, more importantly, who it is intended for. We make Tower, the best Git client for Mac and Windows. We help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay to easily & productively work with the Git version control system. Try it 30 days for free Your Download is in Progress… Giveaways. Cheat Sheets. eBooks. Discounts. And great content from our blog! Yes, I want the free newsletter that's loved by over 100,000 developers and designers. It's free, it's sent infrequently (approx. once a month) and you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice Privacy Policy Privacy Settings © 2011-2026 Tower — Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://dev.to/madza
Madza - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Follow User actions Madza Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Joined Joined on  Apr 23, 2019 Email address hi@madza.dev Personal website https://madza.dev/ github website twitter website Six Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least six years. Got it Close 100 Thumbs Up Milestone Awarded for giving 100 thumbs ups (👍) to a variety of posts across DEV. This is a mod-exclusive badge. Got it Close Five Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least five years. Got it Close Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Four Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least four years. Got it Close Trusted Member 2022 Awarded for being a trusted member in 2022. Got it Close 32 Week Community Wellness Streak You&#39;re a true community hero! You&#39;ve maintained your commitment by posting at least 2 comments per week for 32 straight weeks. Now enjoy the celebration! 🎉 Got it Close 16 Week Community Wellness Streak You&#39;re a dedicated community champion! Keep up the great work by posting at least 2 comments per week for 16 straight weeks. The prized 24-week badge is within reach! Got it Close 8 Week Community Wellness Streak Consistency pays off! Be an active part of our community by posting at least 2 comments per week for 8 straight weeks. Earn the 16 Week Badge next. Got it Close Appwrite Hackathon on DEV — Participant Awarded for participating in the Appwrite x DEV Hackathon 2022. Got it Close 4 Week Community Wellness Streak Keep contributing to discussions by posting at least 2 comments per week for 4 straight weeks. Unlock the 8 Week Badge next. Got it Close 1 Week Community Wellness Streak For actively engaging with the community by posting at least 2 comments in a single week. Got it Close Top 7 Awarded for having a post featured in the weekly &quot;must-reads&quot; list. 🙌 Got it Close 2 Week Community Wellness Streak Keep the community conversation going! Post at least 2 comments for 2 straight weeks and unlock the 4 Week Badge. Got it Close Deepgram x DEV Hackathon Participant Prize (Wacky Wildcards) Awarded for submitting a valid entry to the the Deepgram x DEV hackathon under the Wacky Wildcards category. Got it Close Deepgram x DEV Hackathon Runner Up Awarded for winning a Runner Up prize for the Deepgram x DEV hackathon. Got it Close Three Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least three years. Got it Close Svelte Awarded to the top Svelte author each week Got it Close React Awarded to the top React author each week Got it Close Next.js Awarded to the top Next.js author each week Got it Close DEV Contributor Awarded for contributing code or technical docs/guidelines to the Forem open source project Got it Close Two Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least two years. Got it Close Hacktoberfest 2020 Awarded for successful completion of the 2020 Hacktoberfest challenge. Got it Close Node Awarded to the top Node author each week Got it Close 16 Week Writing Streak You are a writing star! You&#39;ve written at least one post per week for 16 straight weeks. Congratulations! Got it Close CSS Awarded to the top CSS author each week Got it Close 8 Week Writing Streak The streak continues! You&#39;ve written at least one post per week for 8 consecutive weeks. Unlock the 16-week badge next! Got it Close 4 Week Writing Streak You&#39;ve posted at least one post per week for 4 consecutive weeks! Got it Close Fab 5 Awarded for having at least one comment featured in the weekly &quot;top 5 posts&quot; list. Got it Close Beloved Comment Awarded for making a well-loved comment, as voted on with 25 heart (❤️) reactions by the community. Got it Close One Year Club This badge celebrates the longevity of those who have been a registered member of the DEV Community for at least one year. Got it Close JavaScript Awarded to the top JavaScript author each week Got it Close Show all 32 badges More info about @madza GitHub Repositories landing-page 🎉 Personal landing page template JavaScript &bull; 98 stars audio-player 🎵 Music player with custom controls, playlist, filters, and search. JavaScript &bull; 309 stars cropper ✂ An online image cropper for content creators JavaScript &bull; 62 stars calculator ➗ Calculator with decimals, negative values, percentages. JavaScript &bull; 134 stars kanboard 📃 KanBoard - Your personal project management tool JavaScript &bull; 240 stars weather-app ⛅ Check the current weather in any city on the planet. JavaScript &bull; 105 stars Post 431 posts published Comment 3132 comments written Tag 66 tags followed Pin Pinned Hooray! I Created my First Portfolio! 📂🎉 Madza Madza Madza Follow Apr 6 &#39;21 Hooray! I Created my First Portfolio! 📂🎉 # showdev # career # productivity # portfolio 384  reactions Comments 102  comments 8 min read 65 Things I wish I knew when I started to Code 🌱🚀 Madza Madza Madza Follow Jan 6 &#39;21 65 Things I wish I knew when I started to Code 🌱🚀 # webdev # career # productivity # beginners 361  reactions Comments 59  comments 10 min read 73 Awesome NPM Packages for Productivity 🚀🌱 Madza Madza Madza Follow Oct 10 &#39;20 73 Awesome NPM Packages for Productivity 🚀🌱 # webdev # npm # node # productivity 350  reactions Comments 60  comments 11 min read 24 modern ES6 code snippets to solve practical JS problems Madza Madza Madza Follow Jan 30 &#39;20 24 modern ES6 code snippets to solve practical JS problems # javascript # webdev # beginners # productivity 1304  reactions Comments 27  comments 5 min read Meet StackQL: The Future of AI Multi-Cloud Management with SQL 🤖⚡️ Madza Madza Madza Follow Dec 20 &#39;25 Meet StackQL: The Future of AI Multi-Cloud Management with SQL 🤖⚡️ # cloud # sql # saas # productivity 15  reactions Comments 2  comments 15 min read Want to connect with Madza? Create an account to connect with Madza. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in 9 Lesser-Known AI Productivity Tools You Wish You Knew Earlier 🔥⚡️ Madza Madza Madza Follow Dec 17 &#39;25 9 Lesser-Known AI Productivity Tools You Wish You Knew Earlier 🔥⚡️ # ai # webdev # automation # productivity 10  reactions Comments 6  comments 6 min read Introducing WorkOS: Add SSO, Magic Auth, or Social Auth in Minutes ⚡️🔐 Madza Madza Madza Follow Dec 15 &#39;25 Introducing WorkOS: Add SSO, Magic Auth, or Social Auth in Minutes ⚡️🔐 # webdev # auth # saas # productivity 11  reactions Comments Add Comment 11 min read 9 Essential Developer Tools You Should be Exploring Right Now ⚡️🔎 Madza Madza Madza Follow Dec 2 &#39;25 9 Essential Developer Tools You Should be Exploring Right Now ⚡️🔎 # webdev # coding # programming # productivity 30  reactions Comments 5  comments 6 min read 8 Useful Coding Tools That Will Instantly Improve Your Dev Game 🔥🚀 Madza Madza Madza Follow Nov 20 &#39;25 8 Useful Coding Tools That Will Instantly Improve Your Dev Game 🔥🚀 # webdeb # programming # coding # productivity 17  reactions Comments 3  comments 5 min read 9 SaaS Tools for Indie Builders to Scale Fast and Make it Sell ⚡️💰 Madza Madza Madza Follow Nov 17 &#39;25 9 SaaS Tools for Indie Builders to Scale Fast and Make it Sell ⚡️💰 # webdev # saas # startup # productivity 30  reactions Comments 4  comments 6 min read 9 Developer Productivity Tools You Wish You Knew Sooner 🔥🧑‍💻 Madza Madza Madza Follow Nov 12 &#39;25 9 Developer Productivity Tools You Wish You Knew Sooner 🔥🧑‍💻 # programming # coding # devops # productivity 33  reactions Comments 12  comments 6 min read 9 Useful Open Source Projects to Simplify Your Life as a Developer 🧑‍💻⚡️ Madza Madza Madza Follow Oct 29 &#39;25 9 Useful Open Source Projects to Simplify Your Life as a Developer 🧑‍💻⚡️ # opensource # github # webdev # productivity 22  reactions Comments Add Comment 6 min read 8 Open Source Projects Every Developer Needs to Star on GitHub ⭐️📚 Madza Madza Madza Follow Oct 13 &#39;25 8 Open Source Projects Every Developer Needs to Star on GitHub ⭐️📚 # opensource # github # developer # productivity 19  reactions Comments 2  comments 6 min read 8 AI Developer Tools for Faster &amp; Smarter Development 👨‍💻🚀 Madza Madza Madza Follow Sep 29 &#39;25 8 AI Developer Tools for Faster &amp; Smarter Development 👨‍💻🚀 # ai # webdev # coding # productivity 15  reactions Comments 4  comments 5 min read 8 Useful Developer Tools That You Will Be Amazed to Discover 🧙‍♂️🤩 Madza Madza Madza Follow Sep 23 &#39;25 8 Useful Developer Tools That You Will Be Amazed to Discover 🧙‍♂️🤩 # webdev # programming # coding # productivity 19  reactions Comments Add Comment 5 min read 9 Exciting Open Source Projects You Will Be Amazed to Discover 📚✨ Madza Madza Madza Follow Sep 11 &#39;25 9 Exciting Open Source Projects You Will Be Amazed to Discover 📚✨ # opensource # github # webdev # productivity 22  reactions Comments 6  comments 6 min read 9 Practical Online Resources to Learn Coding in 2025 📚👨‍💻 Madza Madza Madza Follow Sep 4 &#39;25 9 Practical Online Resources to Learn Coding in 2025 📚👨‍💻 # coding # webdev # learning # career 23  reactions Comments 4  comments 5 min read 8 AI Productivity Tools You Should Be Exploring Right Now ⚡️👌 Madza Madza Madza Follow Aug 28 &#39;25 8 AI Productivity Tools You Should Be Exploring Right Now ⚡️👌 # programming # coding # ai # productivity 68  reactions Comments 33  comments 6 min read 8 Lesser-Known AI Projects to Improve Your Developer Productivity ⚡️🔥 Madza Madza Madza Follow Jul 24 &#39;25 8 Lesser-Known AI Projects to Improve Your Developer Productivity ⚡️🔥 # ai # coding # programming # productivity 58  reactions Comments 22  comments 5 min read 9 Killer Developer Tools You Should be Exploring Right Now 🔥🚀 Madza Madza Madza Follow Jul 10 &#39;25 9 Killer Developer Tools You Should be Exploring Right Now 🔥🚀 # webdev # coding # developer # productivity 36  reactions Comments 10  comments 6 min read 8 AI Developer Tools for Smarter &amp; Faster Coding in 2025 ⚡️🧙‍♂️ Madza Madza Madza Follow Jul 9 &#39;25 8 AI Developer Tools for Smarter &amp; Faster Coding in 2025 ⚡️🧙‍♂️ # webdev # coding # ai # productivity 32  reactions Comments 17  comments 5 min read 9 Useful Coding Tools Every Developer Should Bookmark 📚🧑‍💻 Madza Madza Madza Follow Jul 7 &#39;25 9 Useful Coding Tools Every Developer Should Bookmark 📚🧑‍💻 # webdev # coding # api # productivity 183  reactions Comments 41  comments 5 min read 9 Modern AI Developer Tools to Achieve 10X More in Less Time ⚡️🚀 Madza Madza Madza Follow Jun 30 &#39;25 9 Modern AI Developer Tools to Achieve 10X More in Less Time ⚡️🚀 # ai # developer # coding # productivity 19  reactions Comments 2  comments 5 min read 9 AI Productivity Tools You Will Be Amazed to Discover👍⚡ Madza Madza Madza Follow Jun 16 &#39;25 9 AI Productivity Tools You Will Be Amazed to Discover👍⚡ # ai # programming # coding # productivity 34  reactions Comments 3  comments 5 min read 9 Exciting Open Source Projects to Simplify Your Life as a Developer 👨‍💻👩‍💻 Madza Madza Madza Follow Jun 9 &#39;25 9 Exciting Open Source Projects to Simplify Your Life as a Developer 👨‍💻👩‍💻 # opensource # github # development # productivity 55  reactions Comments 9  comments 6 min read 9 Modern Developer Tools to Improve Your Coding Workflow 👨‍💻⚡ Madza Madza Madza Follow May 26 &#39;25 9 Modern Developer Tools to Improve Your Coding Workflow 👨‍💻⚡ # webdev # programming # coding # productivity 103  reactions Comments 19  comments 5 min read 8 Open Source Projects to Build Modern Full-stack Apps 🧙🪄 Madza Madza Madza Follow Apr 21 &#39;25 8 Open Source Projects to Build Modern Full-stack Apps 🧙🪄 # opensource # github # fullstack # programming 161  reactions Comments 7  comments 5 min read 9 Open-Source AI Projects You Will be Amazed to Discover 🔥🚀 Madza Madza Madza Follow Mar 25 &#39;25 9 Open-Source AI Projects You Will be Amazed to Discover 🔥🚀 # opensource # github # ai # productivity 151  reactions Comments 23  comments 5 min read Introducing StackQL - Manage Your Cloud Services &amp; Interact with APIs using SQL 🧑‍💻🔥 Madza Madza Madza Follow Feb 17 &#39;25 Introducing StackQL - Manage Your Cloud Services &amp; Interact with APIs using SQL 🧑‍💻🔥 # devops # cloud # sql # api 42  reactions Comments 3  comments 10 min read How to Build and Deploy Full-Stack JavaScript Apps with NextJS, Tailwind, PostgreSQL, and Sevalla⚡👨‍💻 Madza Madza Madza Follow Feb 13 &#39;25 How to Build and Deploy Full-Stack JavaScript Apps with NextJS, Tailwind, PostgreSQL, and Sevalla⚡👨‍💻 # nextjs # tailwindcss # postgres # sevalla 47  reactions Comments 13  comments 21 min read 9 Next-Gen Developer Tools to Maximize Your Coding Efficiency 🧙‍♂️⚡ Madza Madza Madza Follow Feb 3 &#39;25 9 Next-Gen Developer Tools to Maximize Your Coding Efficiency 🧙‍♂️⚡ # webdev # developer # coding # productivity 139  reactions Comments 32  comments 5 min read 8 Killer Productivity Tools to Work Smarter not Harder 🔥🧙‍♂️ Madza Madza Madza Follow Jan 13 &#39;25 8 Killer Productivity Tools to Work Smarter not Harder 🔥🧙‍♂️ # workflow # automation # collaboration # productivity 113  reactions Comments 24  comments 6 min read 8 Modern Developer Tools that Will 10X Your Productivity 🔥🚀 Madza Madza Madza Follow Jan 6 &#39;25 8 Modern Developer Tools that Will 10X Your Productivity 🔥🚀 # webdev # ai # coding # productivity 204  reactions Comments 25  comments 5 min read 8 Modern No-code Tools to Boost Your Developer Workflow 🧑‍💻🚀 Madza Madza Madza Follow Dec 17 &#39;24 8 Modern No-code Tools to Boost Your Developer Workflow 🧑‍💻🚀 # webdev # coding # nocode # productivity 29  reactions Comments 5  comments 5 min read 9 AI-Powered Chrome Extensions to Save Hours of Manual Work 🧙‍♂️🔥 Madza Madza Madza Follow Nov 26 &#39;24 9 AI-Powered Chrome Extensions to Save Hours of Manual Work 🧙‍♂️🔥 # webdev # ai # chrome # productivity 39  reactions Comments Add Comment 5 min read 9 GitHub Repositories to Find a Job or Internships in Tech for 2025 📚🔥 Madza Madza Madza Follow Nov 22 &#39;24 9 GitHub Repositories to Find a Job or Internships in Tech for 2025 📚🔥 # webdev # coding # github # career 146  reactions Comments 19  comments 4 min read 9 Open Source Projects Every Developer Needs to Bookmark 📚👨‍💻 Madza Madza Madza Follow Nov 5 &#39;24 9 Open Source Projects Every Developer Needs to Bookmark 📚👨‍💻 # webdev # opensource # github # productivity 84  reactions Comments 11  comments 5 min read 12 Useful Developer Tools You Will Wish You Knew Sooner 🧑‍💻🧙 Madza Madza Madza Follow Oct 31 &#39;24 12 Useful Developer Tools You Will Wish You Knew Sooner 🧑‍💻🧙 # webdev # programming # coding # productivity 194  reactions Comments 42  comments 6 min read 12 Open Source Projects You Will Be Amazed to Discover 🔥🧑‍💻 Madza Madza Madza Follow Oct 28 &#39;24 12 Open Source Projects You Will Be Amazed to Discover 🔥🧑‍💻 # programming # opensource # github # productivity 75  reactions Comments 9  comments 6 min read 16 Open Source Alternatives to Replace Popular SaaS Software &amp; Apps 👨‍💻🔥 Madza Madza Madza Follow Oct 22 &#39;24 16 Open Source Alternatives to Replace Popular SaaS Software &amp; Apps 👨‍💻🔥 # opensource # github # saas # productivity 515  reactions Comments 67  comments 8 min read 14 Code Snippet Image Generators to Turn Your Code into Stunning Visuals 😍🧑‍💻 Madza Madza Madza Follow Oct 10 &#39;24 14 Code Snippet Image Generators to Turn Your Code into Stunning Visuals 😍🧑‍💻 # coding # ui # ux # productivity 39  reactions Comments 6  comments 6 min read 8 Amazing Web Directories For SaaS Builders and Indie Hackers 🤑🚀 Madza Madza Madza Follow Oct 7 &#39;24 8 Amazing Web Directories For SaaS Builders and Indie Hackers 🤑🚀 # webdev # saas # indie # productivity 51  reactions Comments 9  comments 6 min read 16 Open-Source Projects to Improve Your Developer Workflow 👨‍💻🔥 Madza Madza Madza Follow Oct 2 &#39;24 16 Open-Source Projects to Improve Your Developer Workflow 👨‍💻🔥 # webdev # github # opensource # productivity 111  reactions Comments 23  comments 5 min read 17 Lesser Known Chrome Extensions You Wish You Knew Sooner 🤩⚡ Madza Madza Madza Follow Sep 26 &#39;24 17 Lesser Known Chrome Extensions You Wish You Knew Sooner 🤩⚡ # webdev # coding # chrome # productivity 63  reactions Comments 13  comments 6 min read How to Create a Secure Newsletter Subscription with NextJS, Supabase, Nodemailer and Arcjet 🔐💯 Madza Madza Madza Follow Sep 11 &#39;24 How to Create a Secure Newsletter Subscription with NextJS, Supabase, Nodemailer and Arcjet 🔐💯 # nextjs # typescript # arcjet # security 40  reactions Comments 4  comments 21 min read 16 Web Designer Resources That Will Enhance Your UI/UX 🔥🎨 Madza Madza Madza Follow Sep 5 &#39;24 16 Web Designer Resources That Will Enhance Your UI/UX 🔥🎨 # webdev # ui # productivity 98  reactions Comments 22  comments 9 min read 18 Essential Developer Tools that Will Improve the Way You Work 🚀🔥 Madza Madza Madza Follow Aug 29 &#39;24 18 Essential Developer Tools that Will Improve the Way You Work 🚀🔥 # webdev # coding # ai # productivity 102  reactions Comments 14  comments 14 min read 17 Open Source Alternatives to Your Favorite Software and Apps 🔥👨‍💻 Madza Madza Madza Follow Aug 22 &#39;24 17 Open Source Alternatives to Your Favorite Software and Apps 🔥👨‍💻 # opensource # webdev # coding # productivity 236  reactions Comments 44  comments 9 min read 16 No-Code Productivity Tools to Work Smarter not Harder 🔥🔥 Madza Madza Madza Follow Aug 15 &#39;24 16 No-Code Productivity Tools to Work Smarter not Harder 🔥🔥 # webdev # ai # nocode # productivity 39  reactions Comments 2  comments 5 min read 18 GitHub Repositories to Boost Your Career as a Developer 🚀🧑‍💻 Madza Madza Madza Follow Aug 6 &#39;24 18 GitHub Repositories to Boost Your Career as a Developer 🚀🧑‍💻 # webdev # github # career # beginners 223  reactions Comments 28  comments 6 min read 17 Essential Web Apps to Improve Your Workflow by 10X 🔥🚀 Madza Madza Madza Follow Jul 23 &#39;24 17 Essential Web Apps to Improve Your Workflow by 10X 🔥🚀 # webdev # coding # programming # productivity 78  reactions Comments 13  comments 5 min read 19 Frontend Resources Every Web Developer Must Bookmark 🎨✨ Madza Madza Madza Follow Jul 9 &#39;24 19 Frontend Resources Every Web Developer Must Bookmark 🎨✨ # webdev # coding # frontend # productivity 128  reactions Comments 14  comments 7 min read Introducing ApyHub Fusion: The Notion-like API Client for Developers 🚀✨ Madza Madza Madza Follow Jun 27 &#39;24 Introducing ApyHub Fusion: The Notion-like API Client for Developers 🚀✨ # webdev # api # tutorial # productivity 39  reactions Comments 6  comments 7 min read 16 Killer Web Applications to Boost Your Workflow with AI 🚀🔥 Madza Madza Madza Follow Jun 25 &#39;24 16 Killer Web Applications to Boost Your Workflow with AI 🚀🔥 # webdev # coding # ai # productivity 81  reactions Comments 12  comments 5 min read 12 Creative Toggle Designs for Your Inspiration (with Code) 🎨💖 Madza Madza Madza Follow Jun 6 &#39;24 12 Creative Toggle Designs for Your Inspiration (with Code) 🎨💖 # webdev # design # ui # inspiration 63  reactions Comments 11  comments 2 min read 17 Killer Tools &amp; Web Apps to Boost Your Productivity in 2024 🚀⚡ Madza Madza Madza Follow Jun 1 &#39;24 17 Killer Tools &amp; Web Apps to Boost Your Productivity in 2024 🚀⚡ # html # css # javascript # productivity 47  reactions Comments 20  comments 5 min read 18 Open-Source Projects Every React Developer Should Bookmark 🔥👍 Madza Madza Madza Follow May 29 &#39;24 18 Open-Source Projects Every React Developer Should Bookmark 🔥👍 # github # react # opensource # productivity 99  reactions Comments 8  comments 5 min read 17 Powerful AI Tools to 10X Your Productivity 🧙🚀 Madza Madza Madza Follow Mar 26 &#39;24 17 Powerful AI Tools to 10X Your Productivity 🧙🚀 # programming # webdev # ai # productivity 31  reactions Comments 6  comments 5 min read My Online Radio Reached 700K+ Listens, Here Are 8 Valuable Lessons I Learned 🙏💖 Madza Madza Madza Follow Feb 29 &#39;24 My Online Radio Reached 700K+ Listens, Here Are 8 Valuable Lessons I Learned 🙏💖 # showdev # nextjs # webdev # inspiration 30  reactions Comments 6  comments 4 min read 12 Projects to Build to Improve Your Coding Skills 👨‍💻👩‍💻 Madza Madza Madza Follow Feb 22 &#39;24 12 Projects to Build to Improve Your Coding Skills 👨‍💻👩‍💻 # webdev # htlm # css # javascript 53  reactions Comments 4  comments 4 min read 8 UI/UX Dashboard Projects to Improve Your Design Skills 😍🎨 Madza Madza Madza Follow Feb 17 &#39;24 8 UI/UX Dashboard Projects to Improve Your Design Skills 😍🎨 # ui # ux # design # inspiration 24  reactions Comments 2  comments 2 min read 8 Killer Template Sites to 10X Your Productivity 🚀🔥 Madza Madza Madza Follow Feb 8 &#39;24 8 Killer Template Sites to 10X Your Productivity 🚀🔥 # webdev # programming # coding # productivity 26  reactions Comments 4  comments 3 min read 19 Useful GitHub Repositories to Become a Better Developer 🔥🚀 Madza Madza Madza Follow Feb 2 &#39;24 19 Useful GitHub Repositories to Become a Better Developer 🔥🚀 # webdev # coding # github # productivity 29  reactions Comments 2  comments 5 min read 17 Data Structures and Algorithms Sites to Prepare for Tech Interviews 👨‍💻👩‍💻 Madza Madza Madza Follow Jan 30 &#39;24 17 Data Structures and Algorithms Sites to Prepare for Tech Interviews 👨‍💻👩‍💻 # coding # programming # career # interview 32  reactions Comments 2  comments 5 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.python.org/events/#content
Our Events | Python.org Notice: While JavaScript is not essential for this website, your interaction with the content will be limited. Please turn JavaScript on for the full experience. Skip to content &#9660; Close Python PSF Docs PyPI Jobs Community &#9650; The Python Network Donate &equiv; Menu Search This Site GO A A Smaller Larger Reset Socialize LinkedIn Mastodon Chat on IRC Twitter About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner&#x27;s Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Upcoming Events Python Meeting Düsseldorf 14 Jan. 2026 2026 5pm UTC – 8pm UTC Düsseldorf, Germany Python Leiden User Group 22 Jan. 2026 2026 6:15pm UTC – 9pm UTC Leiden, The Netherlands PyLadies Amsterdam: Robotics beginner class with MicroPython 27 Jan. 2026 2026 5pm UTC – 8pm UTC Amsterdam, The Netherlands and Online Python Devroom @ FOSDEM 2026 31 Jan. 2026 2026 Brussels, Belgium PyCon Namibia 2026 20 Feb. 2026 &ndash; 26 Feb. 2026 Windhoek, Namibia Python BarCamp Karlsruhe 2026 21 Feb. 2026 &ndash; 22 Feb. 2026 Karlsruhe, Germany PyConf Hyderabad 2026 14 March 2026 &ndash; 15 March 2026 Hyderabad, Telangana, India PyCascades 2026 21 March 2026 &ndash; 22 March 2026 Vancouver, British Columbia, Canada PythonAsia 2026 21 March 2026 &ndash; 23 March 2026 Malate, Philippines PyCon Lithuania 2026 08 April 2026 &ndash; 10 April 2026 Vilnius, Lithuania PyCon DE &amp; PyData 2026 14 April 2026 &ndash; 17 April 2026 Darmstadt, Germany PyTexas 2026 17 April 2026 &ndash; 19 April 2026 Austin, USA PyCon Austria 2026 19 April 2026 &ndash; 20 April 2026 Eisenstadt, Austria Python Meeting Düsseldorf 22 April 2026 2026 4pm UTC – 7pm UTC Düsseldorf, Germany PyCon US 2026 13 May 2026 &ndash; 18 May 2026 Long Beach, CA, USA PyCon Italia 2026 27 May 2026 &ndash; 30 May 2026 Bologna, Italy PyOhio 2026 25 July 2026 &ndash; 26 July 2026 Cleveland, USA PyCon AU 2026 26 Aug. 2026 &ndash; 30 Aug. 2026 Brisbane, Australia PyCon PL 2026 27 Aug. 2026 &ndash; 30 Aug. 2026 Gliwice, Poland PyCon Kenya 2026 28 Aug. 2026 &ndash; 29 Aug. 2026 Nairobi, Kenya DjangoCon US 2026 14 Sept. 2026 &ndash; 18 Sept. 2026 Chicago, USA PyBay 2026 03 Oct. 2026 2026 San Francisco, CA, USA PyCon Estonia 2026 08 Oct. 2026 &ndash; 09 Oct. 2026 Tallinn, Estonia PyCon Greece 2026 12 Oct. 2026 &ndash; 13 Oct. 2026 Athens , Greece You just missed... PyData Global 2025 09 Dec. 2025 &ndash; 11 Dec. 2025 Online Building an AI Agent 25 Nov. 2025 2025 5:30pm UTC – 8pm UTC JetBrains Amsterdam Terrace Tower office; Gelrestraat 16, 1079 MZ, Amsterdam, The Netherlands Python Events Calendars For Python events near you, please have a look at the Python events map . The Python events calendars are maintained by the events calendar team . Please see the events calendar project page for details on how to submit events , subscribe to the calendars , get Twitter feeds or embed them. Thank you. &#9650; Back to Top About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner&#x27;s Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Contributing Developer&#x27;s Guide Issue Tracker python-dev list Core Mentorship Report a Security Issue &#9650; Back to Top Help &amp; General Contact Diversity Initiatives Submit Website Bug Status Copyright &copy;2001-2026. &nbsp; Python Software Foundation &nbsp; Legal Statements &nbsp; Privacy Notice Powered by PSF Community Infrastructure -->
2026-01-13T08:49:19
https://stripe.com/en-hk/privacy
Chat with Stripe sales Privacy Policy Stripe logo Legal Stripe Privacy Policy &amp; Privacy Center Privacy Policy Cookies Policy Data Privacy Framework Service Providers List Data Processing Agreement Supplier Data Processing Agreement Stripe Privacy Center Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you&#39;re a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you&#39;ve bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called &quot;Link,&quot; which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User&#39;s lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you&#39;re an End Customer, please refer to the privacy policy of the Business User you&#39;re doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you&#39;re an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we&#39;ve collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers&#39; Personal Data with them. Where allowed, we also use End Customers&#39; Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers&#39; Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don&#39;t finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives&#39; Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives&#39; Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that&#39;s tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer (&quot;KYC&quot;) laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering (&quot;AML&quot;) and Know-Your-Customer (“KYC&quot;) regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We&#39;ll try to process your request(s) as quickly as reasonably practicable. However, it&#39;s important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it&#39;s inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you&#39;ve submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it&#39;s technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account&#39;s security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you&#39;re doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you&#39;ve used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it&#39;s sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom (&quot;UK&quot;), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the Europe
2026-01-13T08:49:19
https://design.forem.com/perceptive_analytics_f780/creating-engaging-tableau-dashboards-using-gifs-2508
Creating Engaging Tableau Dashboards Using GIFs - Design Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Design Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Perceptive Analytics Posted on Dec 18, 2025 &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; Creating Engaging Tableau Dashboards Using GIFs # webdev # programming # javascript # ai Introduction Data visualization plays a critical role in how users understand, interpret, and act upon data. Over the years, the evolution from raw data tables to interactive dashboards has significantly enhanced decision-making capabilities across industries. Among the many advancements in visualization techniques, animated visualizations—often referred to as GIF-like dashboards—have emerged as a powerful storytelling mechanism. Tableau, one of the leading business intelligence and visualization platforms, enables users to simulate GIF-style animations through its Pages shelf. These animated dashboards help users observe trends over time, understand progression, and identify changes more intuitively than static visuals. This article explores the origins of animated visualizations, explains how Tableau supports GIF-like dashboards, and highlights real-world applications and case studies demonstrating their business impact. Origins of Animated Data Visualization The concept of animated data visualization predates modern BI tools. In the early days, data was primarily analyzed through static charts in printed reports. While effective for point-in-time analysis, static visuals lacked the ability to show progression and transformation over time. One of the earliest examples of animated data visualization can be traced back to educational films and simulations used in economics, geography, and public health. As computing power increased, animation became more accessible, allowing analysts to demonstrate how variables changed dynamically. With the rise of interactive visualization tools like Tableau, Power BI, and D3.js, animation became embedded into mainstream analytics. Tableau’s Pages shelf, introduced to support time-based exploration, made it possible to animate charts without requiring programming skills. This democratized animated analytics, allowing business users to create compelling stories with simple drag-and-drop actions. Why Animated Dashboards Are More Effective Animated dashboards enhance comprehension by aligning with how the human brain processes information. Motion naturally draws attention and helps users track change. Key advantages include: Improved understanding of trends over time Faster pattern recognition Reduced cognitive load compared to complex tables More engaging presentations for stakeholders For example, comparing year-on-year internet usage through a static table requires mental calculations. An animated line chart, however, instantly communicates growth direction, acceleration, and anomalies. How Tableau Enables GIF-Like Dashboards Tableau does not create downloadable GIF files natively, but it allows users to simulate animations using the Pages shelf. Core Concept When a dimension—most commonly Year—is placed on the Pages shelf, Tableau renders the visualization one value at a time. The Pages card includes a Play button, enabling users to animate the chart across time. Customization Options Control animation speed Highlight or fade historical data Show or hide trail history Pause at specific time points These options allow users to design animations that suit analytical or storytelling needs. Real-World Application Examples 1. Telecommunications Industry Telecom companies often analyze mobile and internet usage trends across regions. Animated bar-and-line charts allow executives to observe how mobile penetration has accelerated compared to internet adoption, helping guide infrastructure investments. 2. Public Health and Demographics Health organizations use animated maps to track indicators such as birth rate, life expectancy, or disease spread across countries. A region map animated over years makes policy impacts immediately visible. 3. Finance and Economics Banks and financial institutions use animated dashboards to show GDP growth, inflation rates, or market index performance over time. This helps analysts explain volatility and long-term trends to non-technical stakeholders. 4. Retail and Consumer Analytics Retailers track sales growth, customer acquisition, and regional performance. Animated dashboards help merchandising teams see seasonal patterns and expansion effects clearly. Case Study 1: Internet and Mobile Usage Trends A global development organization analyzed per-capita internet and mobile phone usage across multiple years. Initially, the data was presented in tabular format, which made it difficult to understand relative growth. Using Tableau: Mobile phone usage was visualized as a bar chart Internet usage was visualized as a line chart Year was placed on the Pages shelf As the animation played: Users observed steady growth in both metrics Mobile usage showed rapid acceleration post-2005 Internet usage increased consistently but at a slower rate The animated dashboard enabled decision-makers to quickly conclude that mobile infrastructure expansion was outpacing internet access, influencing funding priorities. Case Study 2: Health Indicators Across Africa A public health research team studied average birth rates across African countries over a 12-year period. A static heat map showed differences across regions, but trends were not obvious. By animating the map using the Pages shelf: Color transitions revealed gradual improvements in certain countries Algeria showed a noticeable shift from higher to lower birth rates Regional patterns became easier to compare The animated dashboard was later used in policy presentations and international forums to demonstrate the effectiveness of healthcare initiatives. Using Animated Dashboards in Presentations Tableau dashboards with animation can be embedded into presentations or shown live during meetings. This provides a narrative flow that static slides cannot match. Benefits include: Reduced need for verbal explanation Higher audience engagement Clear visualization of “before and after” scenarios Animated dashboards are particularly effective in executive reviews, board meetings, and training sessions. Best Practices for Using GIF-Style Dashboards While animations are powerful, they must be used thoughtfully. When to Use Time-series analysis Trend comparison across entities Growth or decline storytelling Policy or performance impact analysis When to Avoid One-time snapshot metrics Highly detailed granular data Dashboards requiring quick filtering and interaction Design Tips Keep animations slow and smooth Avoid excessive colors and clutter Highlight key changes intentionally Use tooltips to add context Overusing animation can distract users rather than inform them. Limitations and Considerations Tableau does not export GIF files directly Screen recording tools are required for sharing animations externally Performance may be affected with large datasets Accessibility considerations should be addressed Despite these limitations, the analytical value often outweighs the constraints. Future of Animated Dashboards As storytelling becomes a core requirement in analytics, animated dashboards are expected to grow in popularity. With increasing demand for executive-friendly insights, motion-based visuals will continue to play a significant role in data communication. Advancements in Tableau and BI tools may soon offer native export options and enhanced animation controls, further expanding their use cases. Conclusion Animated dashboards using GIF-like behavior represent a significant evolution in data visualization. By leveraging Tableau’s Pages shelf, analysts can transform static charts into dynamic narratives that reveal trends, patterns, and insights more effectively. When used correctly, these dashboards enhance understanding, improve engagement, and enable better decision-making. Whether analyzing telecom usage, health indicators, or economic performance, animated Tableau dashboards provide a compelling way to tell data-driven stories. As organizations continue to prioritize data storytelling, mastering animated visualizations in Tableau will become an essential skill for modern analysts and BI professionals. This article was originally published on Perceptive Analytics. At Perceptive Analytics our mission is “to enable businesses to unlock value in data.” For over 20 years, we’ve partnered with more than 100 clients—from Fortune 500 companies to mid-sized firms—to solve complex data analytics challenges. Our services include Tableau Consulting Services in Boston , Tableau Consulting Services in Chicago , and Tableau Consulting Services in Dallas turning data into strategic insight. We would love to talk to you. Do reach out to us. Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct &bull; Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Perceptive Analytics Follow Joined Dec 10, 2025 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Design Community — Web design, graphic design and everything in-between Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Design Community &copy; 2016 - 2026. We&#39;re a place where designers share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.git-tower.com/features/workflows/gitflow
Gitflow in Tower Workflows | Tower Git Client Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Gitflow Instantly configure the popular Gitflow branch structure: "main" (or "master") as the "Trunk" "develop" as the "Base" "feature", "release", and "hotfix" branches Start and finish new features, releases, or critical hotfixes with a predictable workflow. Tower ensures your branches stay in sync and proactively warns you of merge conflicts. Define your preferred merge strategies and automatically create tags when a workflow is complete. Take absolute control over your Gitflow implementation with Tower Workflows! Tower Workflows with Gitflow Getting up and running is simple! Step 1: Choose a Gitflow Preset Tower Workflows supports the following Gitflow presets: Tower's default git-flow preset. The classic git-flow with the CLI tool. The more modern git-flow-next fork. Step 2: Customize it! Start with a Gitflow preset, then tailor everything to your team's exact needs. Tower Workflows lets you fine-tune every aspect of your branching process: Add and remove Base and Topic branches. Keep branches updated by defining their parent. Define upstream/downstream merge strategies. Enable or disable merge commit creation. Enable or disable tag creation when integrating changes. Step 3: Begin and Finalize Your Task To begin, click the "Start..." option. This instantly creates and checks out a dedicated feature branch for your work. When complete, click "Finish..." to integrate your changes. Upon a successful merge (e.g., into "develop"), your local branch will be automatically deleted. Try Tower Workflows Today Download the trial and start designing the perfect branching workflow for your project. Get Started - It's Free Coming soon for Windows Feature available for macOS Coming soon for Windows Feature available for macOS Keeping Branches in Sync With the parent branch set up, Tower can easily notify you whenever it's time to update your topic branch and inform you if any merge conflicts will occur during the process. What is Gitflow? Gitflow is a rigid, release-based branching model that uses two long-lived main branches: main (for production-ready code) and develop (for integrating new features). Development occurs on feature branches off of develop. When a release is planned, a release branch is created from develop for final testing and bug fixes. Urgent fixes to the production code are made on dedicated hotfix branches off of main. This structure is ideal for projects with scheduled, versioned releases. Why use Gitflow? Supports Parallel Development: The dedicated develop branch ensures that ongoing feature work is completely isolated from the stable, production-ready code in main. Clear Release Cycle: It provides a highly structured process for creating, managing, and finalizing major versioned releases using distinct release branches. Dedicated Hotfix Channel: The separate hotfix branches allow urgent production bugs to be addressed and deployed immediately without disrupting the in-progress feature development on the develop branch. More Control, One Update at a Time Here are some other features we're looking forward to shipping later in the year: Use Tower Workflows actions to streamline repetitive tasks. Access and manage only the branches you are actively working on. Organize your branches with smart filters or by manually arranging them in order. Share and sync workflows with your entire team, as well as commit templates, commit guidelines, branch naming conventions, and hook script configurations. Try Tower Workflows Today Download the trial and start designing the perfect branching workflow for your project. Get Started - It's Free Coming soon for Windows Feature available for macOS Coming soon for Windows Feature available for macOS Tower Git Client Download for macOS Download for Windows Releases Pricing Beta Channel Use Cases Developers Designers Teams Enterprise Students Teachers & Universities Features Easy Powerful Productive &nbsp; New Features All Features Integrations CLI vs GUI Tower Workflows Stacked Pull Requests Free Tools Code Diff Tool .gitignore Generator Support Help Center Documentation Learn Git Newsletter Contact Us Company About Blog Press Jobs Merch Affiliate Program Legal License Agreement Privacy Policy Privacy Settings Imprint © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (8 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing. Please check your email to confirm. Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time.
2026-01-13T08:49:19
https://dev.to/decision_intelligent/uae-vat-corporate-tax-compliance-with-odoo-erp-decision-intelligent-2e27
UAE VAT &amp; Corporate Tax Compliance with Odoo ERP | Decision Intelligent - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse DECISION INTELLIGENT Posted on Dec 26, 2025 UAE VAT &amp; Corporate Tax Compliance with Odoo ERP | Decision Intelligent # ai # decisionintelligent # odooerp # uaetax UAE VAT &amp; Corporate Tax Compliance Made Simple with Odoo ERP The UAE's tax environment has changed significantly with the introduction of Value Added Tax (VAT) and Corporate Tax (CT). Businesses that rely on spreadsheets or basic accounting software face higher risks of errors, penalties, and failed audits. To stay compliant, competitive, and audit-ready, UAE companies are adopting Odoo ERP, expertly implemented by Decision Intelligent, to automate tax processes and gain full financial control. The Compliance Challenge for UAE Businesses VAT Compliance Risks UAE businesses must comply with Federal Tax Authority (FTA) regulations, including: Correct VAT registration and classification Accurate application of VAT rates (5%, 0%, exempt) Proper tax invoices and documentation Timely and error-free VAT return filing Even small mistakes can lead to penalties, fines, and audit scrutiny. Corporate Tax Obligations With Corporate Tax now in effect, businesses must: Calculate taxable income accurately Apply allowable deductions and exemptions Maintain compliant financial statements Prepare FTA-ready records for audits Without an integrated ERP system, compliance becomes complex and risky. Why Odoo ERP Is the Smart Choice for UAE Tax Compliance An ERP system is no longer optional - it is a business necessity. Odoo ERP offers a centralized, automated, and scalable platform that supports UAE tax regulations by design. Key Advantages of Odoo ERP Automated VAT calculations Real-time financial visibility FTA-compliant tax reporting Complete audit trail Scalable for multi-branch and multi-company operations How Odoo ERP Ensures UAE VAT &amp; Corporate Tax Compliance 1. UAE VAT–Ready Configuration Odoo supports: UAE VAT tax groups and rates Sales and purchase VAT automation Reverse charge mechanisms Zero-rated and exempt supplies VAT is applied automatically on invoices and bills, reducing manual errors. 2. FTA-Compliant VAT Reports Odoo generates: VAT summary reports Transaction-level VAT details Audit-ready tax records This allows faster and more accurate VAT return filing. 3. Corporate Tax–Ready Accounting Odoo ensures: Proper chart of accounts Accurate profit &amp; loss statements Clear expense classification Transparent taxable income calculation This simplifies Corporate Tax preparation and reporting. 4. Strong Audit Trail &amp; Documentation Every transaction in Odoo is: Time-stamped User-tracked Fully documented This is essential for FTA audits and long-term compliance. 5. Multi-Company &amp; Branch Compliance Odoo supports: Multiple legal entities Separate VAT registrations Consolidated or individual reporting Perfect for growing UAE businesses. Why Decision Intelligent Is the Right Odoo Partner in the UAE Technology alone does not guarantee compliance - expert implementation does. Decision Intelligent combines Odoo expertise with deep UAE tax knowledge. Local Tax &amp; ERP Expertise Decision Intelligent understands: UAE VAT law Corporate Tax regulations FTA compliance standards Your system is configured correctly from day one. Tailored Odoo Implementation We customize Odoo based on: Your industry Business size and structure VAT and Corporate Tax obligations No generic setups - only compliance-focused solutions. Ongoing Support &amp; Compliance Assurance Decision Intelligent provides: Continuous Odoo support Updates for tax law changes Training for finance teams Your compliance stays intact as regulations evolve. Business Benefits of Odoo ERP with Decision Intelligent Reduced VAT &amp; Corporate Tax risks Faster and more accurate tax filings Improved financial transparency Always audit-ready Scalable ERP for future growth Ready to Secure Your UAE Tax Compliance? If you want to eliminate tax risks, avoid penalties, and gain full control over your finances, Odoo ERP implemented by Decision Intelligent is your competitive advantage. Talk to Decision Intelligent today and discover how Odoo ERP can simplify UAE VAT and Corporate Tax compliance while supporting your business growth. 👉 Book a free Odoo consultation with Decision Intelligent 📩 info@decisionintelligent.com 🌐 decisionintelligent.com 👉 Call/Whatsapp: +971 50 5169693 / +971585703015 Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct &bull; Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse DECISION INTELLIGENT Follow We empower organizations across industries to harness the power of artificial intelligence and make informed, data-backed decisions that drive success. Location Dubai, United Arab Emirates Joined Nov 18, 2025 More from DECISION INTELLIGENT How Odoo ERP Simplifies VAT Filing for UAE Businesses | Decision Intelligent # ai # decisionintelligent # odoo # erp Cloud vs On-Prem ERP: What Decision Intelligent Recommends for SMEs # decisionintelligent # odooerp # ai # sme Odoo for Real Estate: How Decision Intelligent Helps Agencies Automate Operations # decisionintelligent # ai # odoo # realestate 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Forem — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Forem &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://stripe.com/zh-hk/privacy
与 Stripe 销售人员聊天 Privacy Policy Stripe logo 法律 Stripe Privacy Policy &amp; Privacy Center 隐私政策 Cookie 政策 数据隐私框架 服务提供商列表 数据处理协议 Supplier Data Processing Agreement Stripe 隐私中心 Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you&#39;re a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you&#39;ve bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called &quot;Link,&quot; which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User&#39;s lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you&#39;re an End Customer, please refer to the privacy policy of the Business User you&#39;re doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you&#39;re an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we&#39;ve collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers&#39; Personal Data with them. Where allowed, we also use End Customers&#39; Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers&#39; Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don&#39;t finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives&#39; Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives&#39; Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that&#39;s tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer (&quot;KYC&quot;) laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering (&quot;AML&quot;) and Know-Your-Customer (“KYC&quot;) regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We&#39;ll try to process your request(s) as quickly as reasonably practicable. However, it&#39;s important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it&#39;s inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you&#39;ve submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it&#39;s technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account&#39;s security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you&#39;re doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you&#39;ve used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it&#39;s sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom (&quot;UK&quot;), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the European Commis
2026-01-13T08:49:19
https://claude.com/solutions/agents
AI agents | Claude -------> Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Solutions Solutions / Agents Explore here Ask questions about this page Copy as markdown Make AI agents your unfair advantage Make AI agents your unfair advantage With Claude, you can build AI agents that plan, act, and collaborate more effectively. Start building Start building Start building Contact sales Contact sales Contact sales Powerful, collaborative, and safe AI agents Get superior reasoning and human-quality responses. Best model for AI agents Claude outperforms other models in AI agent scenarios from customer support to coding. AI agents with a human touch Claude’s conversational style leads to true collaboration between AI agents and users. AI that protects your brand Claude ranks highest on honesty, jailbreak resistance, and brand safety. Building effective agents What the Anthropic Engineering team has learned from working with customers and building agents ourselves. Read more Read more Read more 3x Reduction in code churn Prev Prev Next Next Build AI agents with the Claude Developer Platform Integrate Claude’s powerful AI capabilities into your apps and deliver production-grade agents faster. View prompt View prompt View prompt Existing prompt Classify all customer support tickets into the most relevant category. Here is the list of categories to choose from: {{CATEGORY_LIST}} Here is the content of the support ticket: {{TICKET_CONTENT}} What would you like to improve? Please include a rationale for the classification. You are an AI assistant specialized in classifying customer support tickets. Your task is to analyze the content of a given ticket and assign it to the most appropriate category from a predefined list. You will also provide reasoning for your classification decision. First, let&#x27;s review the available categories: &lt;category_list&gt; {{CATEGORY_LIST}} &lt;/category_list&gt; Now, here is the content of the support ticket you need to classify: &lt;ticket_content&gt; {{TICKET_CONTENT}} &lt;/ticket_content&gt; Please follow these steps to complete the task: – Carefully read and analyze the ticket content. – Consider how the content relates to each of the available categories. – Choose the most appropriate category for the ticket. – Provide a detailed explanation of your reasoning process. Use the following structure for your response: &lt;classification_analysis&gt; In this section, break down your thought process: – Quote the most relevant parts of the ticket content. – List each category and note how it relates to the ticket content. – For each category, provide arguments for and against classifying the ticket into that category. – Rank the top 3 most likely categories. &lt;/classification_analysis&gt; &lt;classification&gt; &lt;category&gt;Your chosen category goes here&lt;/category&gt; &lt;reasoning&gt;A concise summary of your reasoning for choosing this category&lt;/reasoning&gt; &lt;/classification&gt; Remember to be thorough in your analysis and clear in your explanation. Your goal is to provide an accurate classification with well-supported reasoning. Deliver more effective
AI agents Build agents and workflows with our API Test and refine prompts in the Workbench Build frontier capabilities into your agents Empower any developer to build AI agents Collaborate with Claude on coding tasks Claude Code is an agentic tool where developers work with Claude directly from their terminal—delegating tasks from code migrations to bug fixes. Learn more Learn more Learn more See why industry leaders
choose Claude Start building Start building Start building See customer stories See customer stories See customer stories &quot;Claude Opus 4.5 delivers high-quality code and excels at powering heavy-duty agentic workflows with GitHub Copilot. Early testing shows it surpasses internal coding benchmarks while cutting token usage in half, and is especially well-suited for tasks like code migration and code refactoring.&quot; Mario Rodriguez, Chief Product Officer, GitHub &quot;We&#x27;ve found that Opus 4.5 excels at interpreting what users actually want, producing shareable content on the first try. Combined with its speed, token efficiency, and surprisingly low cost, it&#x27;s the first time we&#x27;re making Opus available in Notion Agent.&quot; Sarah Sachs, AI Lead Engineer “Opus models have always been “the real SOTA” but have been cost prohibitive in the past. Claude Opus 4.5 is now at a price point where it can be your go-to model for most tasks. It’s the clear winner and exhibits the best frontier task planning and tool calling we’ve seen yet.” Jeff Wang, CEO, Windsurf Everything you need to 
succeed with Claude Start building Start building Start building See how other companies are building AI agents with Claude See how other companies are building AI agents with Claude See how other companies are building AI agents with Claude Customer stories Customer stories Customer stories Building effective agents Building effective agents Building effective agents Engineering at Anthropic Engineering at Anthropic Engineering at Anthropic Get started with our API Get started with our API Get started with our API Developer docs Developer docs Developer docs Homepage Homepage Next Next Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Write Button Text Button Text Learn Button Text Button Text Code Button Text Button Text Write Help me develop a unique voice for an audience Hi Claude! Could you help me develop a unique voice for an audience? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Improve my writing style Hi Claude! Could you improve my writing style? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Brainstorm creative ideas Hi Claude! Could you brainstorm creative ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Learn Explain a complex topic simply Hi Claude! Could you explain a complex topic simply? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Help me make sense of these ideas Hi Claude! Could you help me make sense of these ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Prepare for an exam or interview Hi Claude! Could you prepare for an exam or interview? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Code Explain a programming concept Hi Claude! Could you explain a programming concept? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Look over my code and give me tips Hi Claude! Could you look over my code and give me tips? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Vibe code with me Hi Claude! Could you vibe code with me? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! More Write case studies This is another test Write grant proposals Hi Claude! Could you write grant proposals? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to — like Google Drive, web search, etc. — if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can - an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Write video scripts this is a test Anthropic Anthropic © [year] Anthropic PBC Products Claude Claude Claude Claude Code Claude Code Claude Code Max plan Max plan Max plan Team plan Team plan Team plan Enterprise plan Enterprise plan Enterprise plan Download app Download app Download app Pricing Pricing Pricing Log in Log in Log in Features Claude in Chrome Claude in Chrome Claude in Chrome Claude in Slack Claude in Slack Claude in Slack Claude in Excel Claude in Excel Claude in Excel Skills Skills Skills Models Opus Opus Opus Sonnet Sonnet Sonnet Haiku Haiku Haiku Solutions AI agents AI agents AI agents Code modernization Code modernization Code modernization Coding Coding Coding Customer support Customer support Customer support Education Education Education Financial services Financial services Financial services Government Government Government Healthcare Healthcare Healthcare Life sciences Life sciences Life sciences Nonprofits Nonprofits Nonprofits Claude Developer Platform Overview Overview Overview Developer docs Developer docs Developer docs Pricing Pricing Pricing Regional Compliance Regional Compliance Regional Compliance Amazon Bedrock Amazon Bedrock Amazon Bedrock Google Cloud’s Vertex AI Google Cloud’s Vertex AI Google Cloud’s Vertex AI Console login Console login Console login Learn Blog Blog Blog Claude partner network Claude partner network Claude partner network Courses Courses Courses Connectors Connectors Connectors Customer stories Customer stories Customer stories Engineering at Anthropic Engineering at Anthropic Engineering at Anthropic Events Events Events Powered by Claude Powered by Claude Powered by Claude Service partners Service partners Service partners Startups program Startups program Startups program Tutorials Tutorials Tutorials Use cases Use cases Use cases Company Anthropic Anthropic Anthropic Careers Careers Careers Economic Futures Economic Futures Economic Futures Research Research Research News News News Responsible Scaling Policy Responsible Scaling Policy Responsible Scaling Policy Security and compliance Security and compliance Security and compliance Transparency Transparency Transparency Help and security Availability Availability Availability Status Status Status Support center Support center Support center Terms and policies Privacy choices Cookie settings We use cookies to deliver and improve our services, analyze site usage, and if you agree, to customize or personalize your experience and market our services to you. You can read our Cookie Policy here . Customize cookie settings Reject all cookies Accept all cookies Necessary Enables security and basic functionality. Required Analytics Enables tracking of site performance. Off Marketing Enables ads personalization and tracking. Off Save preferences Privacy policy Privacy policy Privacy policy Responsible disclosure policy Responsible disclosure policy Responsible disclosure policy Terms of service: Commercial Terms of service: Commercial Terms of service: Commercial Terms of service: Consumer Terms of service: Consumer Terms of service: Consumer Usage policy Usage policy Usage policy x.com x.com LinkedIn LinkedIn YouTube YouTube Instagram Instagram English (US) English (US) 日本語 (Japan) Deutsch (Germany) Français (France) 한국어 (South Korea)
2026-01-13T08:49:19
https://forem.com/t/uaetax
Uaetax - Forem Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close # uaetax Follow Hide Create Post Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu UAE VAT &amp; Corporate Tax Compliance with Odoo ERP | Decision Intelligent DECISION INTELLIGENT DECISION INTELLIGENT DECISION INTELLIGENT Follow Dec 26 &#39;25 UAE VAT &amp; Corporate Tax Compliance with Odoo ERP | Decision Intelligent # ai # decisionintelligent # odooerp # uaetax Comments Add Comment 3 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — Your community HQ Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a blogging-forward open source social network where we learn from one another Log in Create account
2026-01-13T08:49:19
https://stripe.com/de-ch/privacy
Mit Stripe Sales chatten Datenschutzrichtlinie Stripe logo Rechtsbereich Stripe Privacy Policy &amp; Privacy Center Datenschutzerklärung Cookie-Richtlinie Datenschutz-Framework Dienstanbieterliste Datenverarbeitungsvereinbarung Supplier Data Processing Agreement Datenschutzcenter von Stripe Datenschutzerklärung Dies ist eine ausschließlich zu Informationszwecken bereitgestellte Übersetzung der Datenschutzerklärung. Rechtliche Gültigkeit besitzt einzig und allein die Originalerklärung, die in englischer Sprache vorliegt. Letzte Änderung: 16. Januar 2025 Diese Datenschutzerklärung enthält wichtige Informationen zu Ihren personenbezogenen Daten, die wir Ihnen zur sorgfältigen Lektüre empfehlen. Willkommen Wir stellen die Finanzinfrastruktur für das Internet bereit. Einzelpersonen und Unternehmen jeder Größe nutzen unsere Technologie und Dienstleistungen, um Einkäufe zu vereinfachen, Zahlungen zu akzeptieren, Auszahlungen vorzunehmen und das Online-Geschäft zu verwalten. Diese Datenschutzerklärung („Erklärung“) beschreibt, welche personenbezogenen Daten wir erheben, wie wir sie verwenden und weitergeben und wie Sie uns bei Fragen zum Datenschutz erreichen. Darüber hinaus werden darin Ihre Rechte und Wahlmöglichkeiten als betroffene Person und Ihr Widerspruchsrecht gegen bestimmte Verwendungen Ihrer personenbezogenen Daten dargelegt. Je nach Aktivität tritt Stripe als „Datenverantwortlicher“ und/oder „Auftragsverarbeiter“ (oder „Dienstleisters“) auf. Weitere Informationen zu unseren Datenschutzpraktiken, zu unserer Rolle, zu dem für diese Erklärung verantwortlichen Stripe-Unternehmen und zu den Rechtsgrundlagen für die Verarbeitung Ihrer personenbezogenen Daten finden Sie im Datenschutzcenter . Definierte Begriffe In dieser Erklärung bezieht sich „Stripe“, „wir“, „unser“ oder „uns“ auf das Stripe-Unternehmen, das für die Erhebung, Nutzung und Verarbeitung personenbezogener Daten wie in diesem Dokument beschrieben verantwortlich ist. Das für Ihre personenbezogenen Daten verantwortliche Stripe-Unternehmen kann je nach Rechtsordnung variieren. Mehr erfahren . „Personenbezogene Daten“ sind alle Informationen, die mit einer identifizierten oder identifizierbaren Person verknüpft sind, einschließlich der Daten, die Sie uns zur Verfügung stellen und die wir über Sie bei der Interaktion mit unseren Diensten erheben (beispielsweise Geräteinformationen, IP-Adresse usw.). „Dienste“ sind die Produkte, Dienstleistungen, Geräte und Anwendungen, die wir laut Stripe-Rahmenvertrag („Geschäftsdienstleistungen“) oder Allgemeinen Geschäftsbedingungen für Verbraucher/innen („Endkundendienste“) bereitstellen, Websites („Seiten“) wie Stripe.com und Link.com sowie alle anderen Anwendungen und Onlinedienste von Stripe. Geschäftsdienstleistungen erbringen wir für juristische Personen („Geschäftskunden“). Unsere Endkundendienste richten sich direkt an Einzelpersonen zur persönlichen Nutzung. „Finanzpartner“ sind Finanzinstitute, Banken und andere Partner wie Acquirer von Zahlungsmethoden, Zahlungsdienstleister und Kartennetzwerke, mit denen wir zusammenarbeiten, um Dienste bereitzustellen. Je nach Kontext bedeutet „Sie“ Endkundin/Endkunde, Endnutzer/in, Vertreter/in oder Besucher/in: Endnutzer/innen Wenn Sie einen Endnutzerdienst wie die Speicherung von Zahlungsmethoden in Link für Ihren persönlichen Gebrauch nutzen, bezeichnen wir Sie als „Endnutzer/in”. Endkundinnen/Endkunden Wenn Sie nicht direkt mit Stripe interagieren, wir aber Ihre personenbezogenen Daten erhalten, um Dienste für Geschäftskunden zu erbringen (wenn Sie beispielsweise etwas über Stripe Checkout bei einem Geschäftskunden kaufen oder Zahlungen von einem Geschäftskunden erhalten), bezeichnen wie Sie als „Endkundin/Endkunde“. Vertreter/innnen Wenn Sie im Namen eines bestehenden oder potenziellen Geschäftskunden handeln (beispielsweise als Unternehmensgründer/in, Kontoverwalter/in für einen Geschäftskunden oder als Empfänger/in einer Mitarbeiter-Kreditkarte eines Geschäftskunden über Stripe Issuing), bezeichnen wir Sie als „Vertreter/in”. Besucher/innnen Wenn Sie mit Stripe durch den Besuch einer Website interagieren, ohne in einem Stripe-Konto angemeldet zu sein, oder wenn Sie an Ihrer Interaktion mit Stripe nicht als Endnutzer/in, Endkundin/Endkunde oder Vertreter/in beteiligt sind, bezeichnen wir Sie als „Besucher/in“. Sie sind zum Beispiel Besucher/in, wenn Sie eine Nachricht an Stripe senden und um weitere Informationen über unsere Dienstleistungen bitten. In dieser Erklärung bezieht sich „Transaktionsdaten“ auf Daten, die von Stripe erhoben und verwendet werden, um von Ihnen gewünschte Transaktionen auszuführen. Bei bestimmten Transaktionsdaten handelt es sich um personenbezogene Daten, die Folgendes umfassen können: Ihren Namen, Ihre E-Mail-Adresse, Ihre Kontaktnummer, Ihre Rechnungs- und Versandadresse, Informationen zur Zahlungsmethode (wie Kredit- oder Debitkartennummern, Bankverbindung oder das von Ihnen gewählte Zahlungskartenbild), Angaben zum Händler und zum Standort, Betrag und Datum des Kaufs sowie in einigen Fällen Informationen über den gekauften Artikel. 1. Erhebung, Nutzung und Weitergabe personenbezogener Daten 2. Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten 3. Rechtsgrundlagen für die Verarbeitung personenbezogener Daten 4. Ihre Rechte und Wahlmöglichkeiten 5. Sicherheit und Aufbewahrung 6. Internationale Datenübermittlung 7. Änderungen und Benachrichtigungen 8. Länderbestimmungen 9. Kontakt 10. Datenschutzhinweise USA 1. Erhebung, Nutzung und Weitergabe personenbezogener Daten Unsere Erhebung und Verwendung personenbezogener Daten richtet sich danach, ob Sie Endnutzer, Endkunde, Unternehmensvertreter oder Besucher sind und welchen Dienst Sie in Anspruch nehmen. Wenn Sie beispielsweise Einzelunternehmerin sind und unsere Geschäftsdienstleistungen in Anspruch nehmen möchten, können wir Ihre personenbezogenen Daten für das Onboarding Ihres Unternehmens erheben; parallel dazu können Sie Endkundin sein, wenn Sie Waren von einem anderen Geschäftskunden kaufen, der unsere Dienste zur Zahlungsabwicklung nutzt. Sie können aber auch Endnutzer sein, wenn Sie einen unserer Endnutzerdienste wie Link für die jeweilige Transaktion nutzen. 1.1 Endnutzer Wir erbringen Endkundendienste, wenn wir Ihnen unsere Dienste direkt für Ihre persönliche Nutzung zur Verfügung stellen (beispielsweise Link). Weitere Informationen zur Erhebung, Verwendung und Weitergabe personenbezogener Endnutzerdaten durch uns sowie die Rechtsgrundlagen für deren Verarbeitung finden Sie im Datenschutzcenter . a. Erfassung personenbezogener Endnutzerdaten Link-Nutzung oder Verknüpfung mit Ihrem Bankkonto . Mit Link von Stripe können Sie ein Konto erstellen und Daten zur späteren Verwendung in Stripe-Diensten und bei Geschäftskunden hinterlegen. Mit Link können verschiedene personenbezogene Daten gespeichert werden. Dazu gehören u. a. Name, Zahlungsmethoden, Kontaktdaten und Anschrift. So können Sie ganz bequem bei verschiedenen Geschäftskunden bezahlen. Wenn Sie sich für die Bezahlung mit Link entscheiden, erheben wir auch die mit Ihren Transaktionen verbundenen Transaktionsdaten. Mehr erfahren . Sie können auch Bankkontodaten in Ihrem Link-Konto teilen, wenn Sie das Stripe-Produkt Financial Connections verwenden. Wenn Sie Financial Connections verwenden, erhebt und verarbeitet Stripe in regelmäßigen Abständen Ihre Kontoinformationen (wie Inhabername, Kontostand, Kontonummer und -daten, Kontotransaktionen und in einigen Fällen auch Zugangsdaten). Sie können uns jederzeit auffordern, die Erhebung dieser Daten einzustellen. Mehr erfahren . Und schließlich können in Link auch Ausweisdokumente (z. B. Führerschein) hinterlegt und bei Stripe sowie bei Geschäftskunden verwendet werden. Zahlungen an Stripe . Wenn Sie Waren oder Dienstleistungen direkt bei Stripe kaufen, erhalten wir Ihre Transaktionsdaten. Wenn Sie beispielsweise eine Zahlung an Stripe Climate leisten, erheben wir Informationen zur Transaktion, Ihre Kontaktdaten und Angaben zur Zahlungsmethode. Identitäts-/Verifizierungsdienste . Wir bieten einen Dienst zur Identitätsverifizierung an, der den Abgleich Ihres Ausweisdokuments (z. B. Führerschein) mit Ihrem Bild (z. B. Selfie) automatisiert. Sie können der Verwendung Ihrer biometrischen Daten zur Verbesserung unserer Verifizierungstechnologie separat zustimmen und Ihre Zustimmung jederzeit widerrufen. Mehr erfahren . Informationen zur Erhebung anderer personenbezogenen Endnutzerdaten, etwa zur Onlineaktivität und zur Nutzung unserer Endkundendienste, finden Sie im Abschnitt Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . b. Erhebung und Weitergabe personenbezogener Daten von Endnutzern Dienste . Wir verwenden und geben Ihre personenbezogenen Daten weiter, um Ihnen die Endkundendienste bereitzustellen. Dazu gehören Support, Personalisierung (z. B. Sprachpräferenzen und Einstellungsmöglichkeiten) und Mitteilungen über unsere Endkundendienste (wie Benachrichtigungen über Richtlinienänderungen und unsere Dienste). Beispielsweise kann Stripe Cookies und vergleichbare Technologien oder die Daten verwenden, die Sie unseren Geschäftskunden zur Verfügung stellen (wenn Sie z. B. Ihre E-Mail-Adresse auf der Website eines Geschäftskunden eingeben), um Sie zu erkennen und Ihnen zu helfen, Link beim Besuch der Website unseres Geschäftskunden zu verwenden. Weitere Informationen zur Verwendung von Cookies und vergleichbaren Technologien durch uns finden Sie in der Cookie-Richtlinie von Stripe. Unsere Geschäftskunden . Wenn Sie Link nutzen, um Zahlungen an unsere Geschäftskunden zu tätigen, geben wir Ihre personenbezogenen Daten einschließlich Name, Kontaktinformationen, Zahlungsmethode und Transaktionsdaten an diese Geschäftskunden weiter. Mehr erfahren . Sie können Stripe auch anweisen, gespeicherte Bankverbindungen und Ausweisdokumente an Geschäftskunden weiterzugeben, mit denen Sie Geschäfte tätigen. In diesem Fall verarbeiten wir Ihre personenbezogenen Daten für diese Geschäftskunden gemäß Abs. 1.2 als Datenverarbeiter. Um zu erfahren, wie die Geschäftskunden die an sie weitergegebenen Daten verwenden, konsultieren Sie bitte deren Datenschutzerklärungen. Betrugserkennung und Schadenverhütung . Wir verwenden Ihre über unsere Dienste erfassten personenbezogenen Daten, um Betrug zu erkennen und finanziellen Verlusten für Sie, uns und unsere Geschäftskunden und Finanzpartner vorzubeugen. Hierzu zählt u. a. die Erkennung unbefugter Käufe. Wir können Geschäftskunden und Finanzpartnern, die unsere Unternehmensdienstleistungen im Bereich Betrugsprävention (wie Stripe Radar) nutzen, personenbezogene Daten über Sie (und insbesondere zu Ihren Transaktionsversuchen) zur Verfügung stellen, damit diese das Betrugs- oder Verlustrisiko von Transaktionen beurteilen können. Weitere Informationen zu unserem Einsatz von Technologien zur Beurteilung des mit Transaktionsversuchen verbundenen Betrugsrisikos und zu den an Geschäftskunden und Finanzpartner weitergegebenen Daten finden Sie hier und hier . Werbung . Soweit nach geltendem Recht zulässig, können wir Ihre personenbezogenen Daten und insbesondere Ihre Transaktionsdaten verwenden, um Ihre Eignung für andere Endkundendienste zu beurteilen und Ihnen diese anzubieten oder bestehende Endkundendienste insbesondere mittels Co-Marketing mit Partnern wie Stripe-Geschäftskunden zu bewerben. Mehr erfahren . Vorbehaltlich geltenden Rechts – einschließlich etwaiger Einwilligungserfordernisse – können wir personenbezogene Endkundendaten nutzen und an Drittanbieter weitergeben, um unsere Enkundendienste Ihnen gegenüber insbesondere mittels interessenbasierter Werbung zu bewerben und die Wirksamkeit derartiger Werbemaßnahmen zu ermitteln. Wir geben Ihre personenbezogenen Daten nicht gegen Zahlung an Dritte weiter, können sie aber beispielsweise an Werbepartner, Analyseanbieter und soziale Netzwerke weitergeben, die uns bei der Werbung für unsere Dienste unterstützen. Mehr erfahren . Weitere Informationen . Weitere Informationen zur Nutzung und Weitergabe personenbezogener Endnutzerdaten finden Sie unter Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . 1.2 Endkunden Stripe erbringt verschiedene Geschäftsdienstleistungen für seine Geschäftskunden. Dazu zählen Präsenz- und Onlinezahlungen sowie Auszahlungen an diese Geschäftskunden. Wenn wir als Dienstleister („Datenverarbeiter“) eines Geschäftskunden auftreten, verarbeiten wir personenbezogene Endkundendaten gemäß unserer Vereinbarung mit dem Geschäftskunden und seinen rechtmäßigen Anweisungen. Dies geschieht zum Beispiel, wenn wir eine Zahlung für einen Geschäftskunden abwickeln, weil Sie etwas bei ihm gekauft haben oder wenn er uns anweist, Ihnen Gelder zu schicken. Geschäftskunden sind für die Einhaltung der Datenschutzrechte ihrer Endkunden verantwortlich, einschließlich der Einholung angemessener Einwilligungen und der Offenlegung ihrer eigenen Datenerhebung und -verwendung im Zusammenhang mit ihren Produkten und Dienstleistungen. Wenn Sie Endkundin/Endkunde sind, lesen Sie sich bitte die Datenschutzerklärung des jeweiligen Geschäftskunden durch, um sich über dessen Datenschutzpraktiken sowie Wahlmöglichkeiten und Kontrollen zu informieren. Weitere Informationen zur Erhebung, Verwendung und Weitergabe personenbezogener Endkundendaten und insbesondere zur Rechtsgrundlage für deren Verarbeitung finden Sie im Datenschutzcenter . a. Erfassung personenbezogener Endkundendaten Transaktionsdaten . Wir erhalten Ihre Transaktionsdaten, wenn Sie als Endkundin oder Endkunde Zahlungen an unseren Geschäftskunden leisten, Rückerstattungen oder Zahlungen von ihm erhalten, einen Kauf oder eine Spende veranlassen oder anderweitig persönlich oder online mit unserem Geschäftskunden in einer Geschäftsbeziehung stehen. Wir können auch Ihren Transaktionsverlauf vom Geschäftskunden erhalten. Mehr erfahren . Außerdem können wir die Daten erheben, die Sie in Bezahlformulare eingeben, auch wenn Sie diese nicht komplett ausfüllen oder die Transaktion mit dem Geschäftskunden nicht abschließen. Mehr erfahren . Ein Geschäftskunde, der den Terminal-Dienst von Stripe nutzt, um seine Waren oder Dienstleistungen an Endkundinnen und Endkunden zu vertreiben, kann damit auch deren personenbezogene Daten (wie Name, E-Mail, Telefonnummer, Adresse, Unterschrift oder Alter) entsprechend seiner eigenen Datenschutzerklärung erheben. Identitäts- und Verifizierungsdaten . Stripe bietet einen Verifizierungs- und Betrugspräventionsdienst an, den unsere Geschäftskunden nutzen können, um personenbezogene Daten wie z. B. Ihre Berechtigung zur Nutzung einer bestimmten Zahlungsmethode zu verifizieren. Während des Vorgangs werden Sie gebeten, uns bestimmte personenbezogene Daten mitzuteilen (wie Ihren amtlichen Ausweis und ein Selfie zur biometrischen Verifizierung oder personenbezogene Daten, die Sie eingeben oder die – wie ein Kreditkartenbild – aus der physischen Zahlungsmethode ersichtlich sind). Zum Schutz vor Betrug und um festzustellen, ob jemand versucht, Ihre Identität vorzutäuschen, können wir diese Daten mit Informationen über Sie abgleichen, die wir von Geschäftskunden, Finanzpartnern, verbundenen Unternehmen, Identitätsprüfern, öffentlich zugänglichen Quellen und anderen externen Dienstleistern und Quellen erhalten. Mehr erfahren . Weitere Informationen . Weitere Informationen zur Erfassung anderer personenbezogener Endkundendaten etwa mit Blick auf Ihre Onlineaktivität finden Sie unter Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . b. Erhebung, Nutzung und Weitergabe personenbezogener Daten von Endkunden Um unsere Geschäftsdienstleistungen für unsere Geschäftskunden zu erbringen, nutzen wir personenbezogene Daten von Endkundinnen und Endkunden und geben diese an sie weiter. Soweit zulässig, verwenden wir personenbezogene Daten von Endkundinnen und Endkunden auch für eigene Zwecke von Stripe, beispielsweise zur Stärkung der Sicherheit, zur Verbesserung und zum Angebot unserer Geschäftsdienstleistungen sowie zur Verhinderung von Betrug, Verlust und anderen Schäden, wie weiter unten beschrieben. Zahlungsabwicklung und Buchhaltung . Wir verwenden Ihre Transaktionsdaten, um zahlungsbezogene Geschäftsdienstleistungen für Geschäftskunden zu erbringen – wie die Verarbeitung von Online-Zahlungen, die Berechnung der Umsatzsteuer oder die Bearbeitung von Rechnungen, Abrechnungen und Zahlungsanfechtungen – und sie bei der Ermittlung ihrer Einnahmen, der Begleichung von Rechnungen und bei der Buchhaltung zu unterstützen. Mehr erfahren . Wir können Ihre personenbezogenen Daten auch verwenden, um unsere Geschäftsdienstleistungen zu erbringen und zu verbessern. Bei Zahlungen werden Ihre personenbezogenen Daten bei der Abwicklung an verschiedene Stellen weitergegeben. Als Dienstleister oder Auftragsverarbeiter geben wir personenbezogene Daten weiter, um Transaktionen auf Weisung von Geschäftskunden abzuwickeln. Wenn Sie beispielsweise eine bestimmte Zahlungsmethode auswählen, können wir Ihre Transaktionsdaten an Ihre Bank oder sonstigen Zahlungsdienstleister weitergeben, damit Sie authentifiziert, Ihre Zahlungen verarbeitet, Betrugsversuche verhindert und etwaige Anfechtungen bearbeitet werden können. Der Geschäftskunde, mit dem Sie in Geschäftsbeziehung treten möchten, erhält ebenfalls Transaktionsdaten und kann diese Daten an andere weitergeben. Weitere Informationen zur Verwendung und Weitergabe Ihrer personenbezogenen Daten durch Händler, Banken und Zahlungsmethodenanbieter entnehmen Sie bitte deren Datenschutzerklärungen. Finanzdienstleistungen . Einige Geschäftskunden nutzen unsere Dienste, um Ihnen Finanzdienstleistungen über Stripe oder unsere Finanzpartner anzubieten. Beispielsweise kann ein Geschäftskunde ein Kartenprodukt ausgeben, mit dem Sie Waren und Dienstleistungen kaufen können. Solche Karten können mit dem Logo von Stripe, dem des Bankpartners und/oder dem des Geschäftskunden versehen sein. Neben den Transaktionsdaten, die bei der Verwendung dieser Karten erzeugt oder von uns empfangen werden, erheben und erfassen wir Ihre personenbezogenen Daten auch, um diese Produkte bereitzustellen und zu verwalten und insbesondere unsere Geschäftskunden im Kampf gegen Kartenmissbrauch zu unterstützen. Bitte lesen Sie die Datenschutzerklärungen des Geschäftskunden und, falls zutreffend, die Datenschutzerklärungen der mit der Finanzdienstleistung betrauten Bankpartner (deren Logos möglicherweise auf der Karte angegeben sind), um weitere Informationen zu erhalten. Identitäts-/Verifizierungsdienste . Wir verwenden personenbezogene Daten zu Ihrer Identität, um Verifizierungsdienste für Stripe oder für die Geschäftskunden zu erbringen, mit denen Sie in Geschäftsbeziehung stehen, Betrug zu verhindern und die Sicherheit zu erhöhen. Zu diesen Zwecken und insbesondere zur telefonischen Verifizierung können wir personenbezogene Daten nutzen, die Sie uns unmittelbar zur Verfügung stellen oder die wir von unseren Dienstleistern erhalten. Mehr erfahren . Falls Sie ein Selfie zusammen mit einem Foto Ihres Ausweisdokuments übermitteln, setzen wir biometrische Technologien zum Abgleich und zur Berechnung der Übereinstimmung ein, um Ihre Identität zu verifizieren. Mehr erfahren . Betrugserkennung und Schadenverhütung . Wir verwenden Ihre über unsere Dienste erfassten personenbezogenen Daten, um finanzielle Verluste für Sie, uns und unsere Geschäftskunden und Finanzpartner zu erkennen und diesen vorzubeugen. Wir können Geschäftskunden und Finanzpartnern, die unsere Unternehmensdienstleistungen im Bereich Betrugsprävention nutzen, Ihre personenbezogenen Daten (insbesondere zu Ihren Transaktionsversuchen) zur Verfügung stellen, damit diese das Betrugs- bzw. Verlustrisiko von Transaktionen beurteilen können. Weitere Informationen zu unserem Einsatz von Technologien zur Beurteilung des mit Transaktionsversuchen verbundenen Betrugsrisikos und zu den an Geschäftskunden und Finanzpartner weitergegebenen Daten finden Sie hier und hier . Unsere Geschäftskunden (und deren befugte Dritte) . Wir geben personenbezogene Endkundendaten an die jeweiligen Geschäftskunden und Dritte weiter, die von diesen Geschäftskunden selbst befugt worden sind, solche Daten zu erhalten. Hier einige Beispiele für eine solche Weitergabe: Anweisung eines Geschäftskunden, einem anderen Geschäftskunden über Stripe Connect Zugang zu seinem Stripe-Konto und seine Endkundendaten zu gewähren Weitergabe von Informationen, die Sie uns zur Verfügung gestellt haben, damit wir im Auftrag eines Geschäftskunden Zahlungen an Sie senden können Weitergabe von Informationen, Dokumenten oder Bildern von Endkunden an Geschäftskunden, wenn diese zur Überprüfung der Endkundenidentität unseren Identitätsverifizierungsdienst Stripe Identity nutzen. Geschäftskunden, mit denen Sie in Geschäftsbeziehung treten, können Ihre personenbezogenen Daten auch an Dritte weitergeben (z. B. andere Dienstleister). Bitte lesen Sie die Datenschutzerklärung der Geschäftskunden, um weitere Informationen zu erhalten. Werbung durch Geschäftskunden . Wenn Sie einen Kauf bei einem Geschäftskunden einleiten, erhält der Geschäftskunde von uns Ihre personenbezogenen Daten im Zusammenhang mit der Erbringung unserer Dienstleistungen, auch wenn Sie Ihren Kauf nicht abschließen. Dieser Geschäftskunde kann Ihre personenbezogenen Daten verwenden, um seine Produkte oder Dienste zu vermarkten und zu bewerben, und zwar gemäß den Bedingungen seiner Datenschutzerklärung. Bitte lesen Sie die Datenschutzerklärung des Geschäftskunden, um weitere Informationen insbesondere zu Ihrem Recht zu erhalten, die Nutzung Ihrer personenbezogenen Daten zu Werbezwecken zu unterbinden. Weitere Informationen . Weitere Informationen zur Nutzung und Weitergabe personenbezogener Endkundendaten finden Sie im Abschnitt Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . 1.3 Vertreter Wir erheben, verwenden und teilen personenbezogene Daten von Vertreterinnen und Vertretern von Geschäftskunden (z. B. von Unternehmensinhabern), um unsere Geschäftsdienstleistungen zu erbringen. Weitere Informationen zur Erhebung, Verwendung und Weitergabe personenbezogener Daten von Unternehmensvertretern und insbesondere zur Rechtsgrundlage für deren Verarbeitung finden Sie im Datenschutzcenter . a. Erfassung personenbezogener Vertreterdaten Anmelde- und Kontaktdaten . Wenn Sie sich für ein Stripe-Konto für einen Geschäftskunden (einschließlich Unternehmensgründung) registrieren, erheben wir Ihren Namen und Ihre Zugangsdaten. Wenn Sie sich für eine von Stripe organisierte Veranstaltung registrieren oder daran teilnehmen oder sich für den Erhalt von Benachrichtigungen von Stripe anmelden, erheben wir Ihre Registrierungs- und Profildaten. Über Sie als Vertreterin bzw. Vertreter können wir personenbezogene Daten von Dritten und insbesondere von Datenanbietern erheben, um Ihnen Werbung und Angebote zukommen zu lassen und mit Ihnen wie im Abschnitt Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten beschrieben zu kommunizieren. Darüber hinaus können wir Ihnen einen Standort zuordnen, um die Dienste oder Informationen effektiv auf Ihre Bedürfnisse zuzuschneiden. Mehr erfahren . Identifizierungsmerkmale . Als aktueller oder potenzieller Geschäftskunde, als Inhaber eines Geschäftskunden oder als Anteilseigner, leitender Angestellter oder Vorstandsmitglied eines Geschäftskunden benötigen wir Ihre Kontaktdaten wie Name, Postanschrift, Telefonnummer und E-Mail-Adresse, um die Anforderungen unserer Finanzpartner und die gesetzlichen Vorschriften zu erfüllen, Ihre Identität zu verifizieren und die Stripe-Plattform vor Betrug und Schäden zu schützen. Wir erheben Ihre personenbezogenen Daten wie Ihre Beteiligung am Geschäftskunden, Ihr Geburtsdatum, amtliche Ausweise und zugehörige Identifikatoren sowie etwaige Betrugs- oder Missbrauchsfälle direkt von Ihnen und/oder aus öffentlich zugänglichen Quellen, von Dritten wie Kreditauskunfteien und über die von uns angebotenen Dienste. Mehr erfahren . Sie haben auch die Möglichkeit, uns Ihre Bankverbindung mitzuteilen. Weitere Informationen . Weitere Informationen zur Erfassung anderer personenbezogener Vertreterdaten etwa mit Blick auf Ihre Onlineaktivität finden Sie im Abschnitt Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . b. Erhebung, Nutzung und Weitergabe personenbezogener Daten von Unternehmensvertretern Im Allgemeinen verwenden wir die personenbezogenen Daten von Vertreterinnen und Vertretern, um die Geschäftsdienstleistungen für die entsprechenden Geschäftskunden zu erbringen. Die Art und Weise, wie wir diese Daten verwenden und weitergeben, wird weiter unten beschrieben. Geschäftsdienstleistungen . Wir verwenden personenbezogene Daten von Vertreterinnen und Vertretern und geben sie an Geschäftskunden weiter, um die von Ihnen oder von dem von Ihnen vertretenen Geschäftskunden angeforderten Dienstleistungen zu erbringen. In bestimmten Fällen müssen wir Ihre personenbezogenen Daten an staatliche Stellen übermitteln, um unsere Geschäftsdienstleistungen zu erbringen, etwa bei der Unternehmensgründung oder der Berechnung und Abführung der gesetzlichen Verkaufssteuer. Im Rahmen unserer steuerbezogenen Geschäftsdienstleistungen können wir Ihre personenbezogenen Daten verwenden, um im Namen des von Ihnen vertretenen Geschäftskunden Steuererklärungen anzufertigen und einzureichen. Bei Unternehmensgründungen mit Atlas können wir Ihre personenbezogenen Daten verwenden, um in Ihrem Namen Formulare bei der US-Steuerbehörde IRS und Dokumente (z. B. Gründungsurkunden) bei anderen Regierungsbehörden einzureichen. Wir geben personenbezogene Vertreterdaten an Personen weiter, die vom jeweiligen Geschäftskunden ausdrücklich berechtigt worden sind, also etwa an Finanzpartner, die ein Finanzprodukt vertreiben, oder an Apps und Dienste von Drittanbietern, die der Geschäftskunde neben unseren Geschäftsdienstleistungen nutzt. Hier einige Beispiele für eine solche Weitergabe: Anbieter von Zahlungsmethoden wie Visa oder WeChat Pay benötigen Informationen über Geschäftskunden und ihre Vertreter, die ihre Zahlungsmethoden akzeptieren. Diese Informationen werden in der Regel für das Onboarding oder für die Bearbeitung von Transaktionen und die Bearbeitung von Zahlungsanfechtungen für diese Geschäftskunden benötigt. Mehr erfahren . Ein Geschäftskunde kann Stripe autorisieren, Ihre personenbezogenen Daten an andere Geschäftskunden weiterzugeben, um Dienstleistungen über Stripe Connect zu ermöglichen. Die Verwendung personenbezogener Daten durch von einem Geschäftskunden autorisierte Dritte unterliegt der Datenschutzerklärung dieser Dritten. Wenn Sie ein Geschäftskunde sind und der Name Ihres Unternehmens personenbezogene Daten enthält (etwa einen Personen- oder Familiennamen), können wir diese Daten für die Bereitstellung unserer Dienste in der gleichen Weise verwenden und weitergeben, wie wir es mit jedem anderen Firmennamen tun. Dies kann bedeuten, dass er auf Quittungen und anderen Transaktionsbeschreibungen erscheint. Betrugserkennung und Schadenverhütung . Wir verwenden personenbezogene Daten von Vertreterinnen und Vertretern, um Risiken zu erkennen und zu steuern, dass unsere Geschäftsdienstleistungen für betrügerische Aktivitäten genutzt werden könnten, die Stripe, Endnutzern/Endnutzerinnen, Endkundinnen/Endkunden, Geschäftskunden, Finanzpartnern und anderen schaden könnten. Darüber hinaus verwenden wir Informationen über Sie, die wir aus öffentlich zugänglichen Quellen, von Dritten wie Kreditauskunfteien und von unseren Diensten erhalten, um solche Risiken anzugehen und insbesondere Missbrauchsmuster und Verstöße gegen die Nutzungsbedingungen zu ermitteln. Stripe kann personenbezogene Daten von Vertreterinnen und Vertretern an Geschäftskunden, unsere Finanzpartner und externe Dienstleister wie telefonische Verifizierungsdienste weitergeben. Mehr erfahren , um die von Ihnen bereitgestellten Angaben zu überprüfen und Risikoindikatoren zu identifizieren. Mehr erfahren . Wir verwenden und übertragen personenbezogene Daten von Vertreterinnen und Vertretern auch zur Durchführung von Due-Diligence-Prüfungen und insbesondere für Anti-Geldwäsche- und Sanktionsprüfungen nach geltendem Recht. Werbung . Soweit nach geltendem Recht zulässig und sofern erforderlich mit Ihrer Zustimmung, verwenden wir personenbezogene Daten von Vertreterinnen und Vertretern und geben diese an Dritte und insbesondere an Partner weiter, um unsere Dienste und Partnerintegrationen zu bewerben und zu vermarkten. Vorbehaltlich geltenden Rechts – einschließlich etwaiger Einwilligungserfordernisse – können wir interessenbezogene Werbung nutzen und deren Wirksamkeit kontrollieren. Siehe hierzu die Cookie-Richtlinie von Stripe. Wir geben Ihre personenbezogenen Daten nicht gegen Zahlung an Dritte weiter. Allerdings können wir Ihre Daten an Dritte und insbesondere an Werbepartner, Analysedienste und soziale Netzwerke weitergeben, die uns bei der Bewerbung unserer Dienste unterstützen. Mehr erfahren . Wir können Ihre personenbezogenen Daten und insbesondere Ihre Stripe-Kontoaktivität auch dazu verwenden, Ihre Eignung für Geschäftsdienstleistungen zu beurteilen und Ihnen diese anzubieten oder bestehende Geschäftsdienstleistungen zu bewerben. Mehr erfahren . Weitere Informationen . Weitere Informationen zur Nutzung und Weitergabe personenbezogener Daten von Unternehmensvertretern finden Sie im Abschnitt Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . 1.4 Besucher Wir erheben, verwenden und teilen personenbezogene Besucherdaten. Weitere Informationen zur Erhebung, Verwendung und Weitergabe personenbezogener Daten von Besuchern und insbesondere zur Rechtsgrundlage für deren Verarbeitung finden Sie im Datenschutzcenter . a. Erfassung personenbezogener Besucherdaten Wenn Sie auf unseren Websites surfen, erhalten wir Ihre personenbezogenen Daten entweder direkt von Ihnen oder durch die Verwendung von Cookies und vergleichbaren Technologien. Weitere Informationen finden Sie in der Cookie-Richtlinie . Wenn Sie sich dafür entscheiden, ein Formular auf unserer oder auf der Website Dritter auszufüllen, auf denen unsere Werbeanzeigen erscheinen (wie LinkedIn oder Facebook), erheben wir die Informationen, die Sie in das Formular eingeben. Dies kann Ihre Kontaktinformationen und andere Informationen zu Ihren Fragen über unsere Dienstleistungen umfassen. Wir können Ihren Besuch auch mit einem Standort verknüpfen. Mehr erfahren . Weitere Informationen . Weitere Informationen zur Erfassung personenbezogener Besucherdaten etwa mit Blick auf Ihre Onlineaktivität finden Sie im Abschnitt Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . b. Erhebung, Nutzung und Weitergabe personenbezogener Daten von Besuchern Personalisierung . Wir verwenden die Daten, die wir mithilfe von Cookies und ähnlichen Technologien über Sie erheben, um die Interaktion mit den Websites zu messen, Relevanz und Navigation zu verbessern, Ihr Benutzererlebnis anzupassen (z. B. Sprachpräferenzen und regionale Inhalte) und passgenaue Inhalte über Stripe und unsere Dienste zu erstellen. Da zum Beispiel nicht alle unsere Dienste global verfügbar sind, können wir unsere Antworten auf Ihre Region abstimmen. Werbung . Soweit nach geltendem Recht zulässig und sofern erforderlich mit Ihrer Zustimmung, verwenden wir personenbezogene Daten von Besuchern und geben diese an Dritte und insbesondere an Partner weiter, um unsere Dienste und Partnerintegrationen zu bewerben und zu vermarkten. Vorbehaltlich geltenden Rechts – einschließlich etwaiger Einwilligungserfordernisse – können wir interessenbezogene Werbung nutzen und deren Wirksamkeit kontrollieren. Siehe hierzu die Cookie-Richtlinie von Stripe. Wir geben Ihre personenbezogenen Daten nicht gegen Zahlung an Dritte weiter, können sie aber beispielsweise an Werbepartner, Analyseanbieter und soziale Netzwerke weitergeben, die uns bei der Werbung für unsere Dienste unterstützen. Mehr erfahren . Interaktion . Bei Ihrer Interaktion mit unseren Websites verwenden wir die Daten, die wir über Ihre Geräte erheben, um Ihnen Möglichkeiten für weitere Interaktionen zu bieten, beispielsweise Diskussionen über Dienste oder Interaktionen mit Chatbots, um Ihre Fragen zu beantworten. Weitere Informationen . Weitere Informationen zur Nutzung und Weitergabe personenbezogener Besucherdaten finden Sie unter Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten . 2. Weitere Möglichkeiten der Erhebung, Verwendung und Weitergabe personenbezogener Daten Zusätzlich zu den oben beschriebenen Verfahren verarbeiten wir Ihre personenbezogenen Daten folgendermaßen: a. Erhebung personenbezogener Daten Onlineaktivität . Abhängig vom genutzten Dienst und der Art und Weise, wie unsere Geschäftsdienstleistung von den Geschäftskunden implementiert wird, können wir Daten erheben, die sich auf Folgendes beziehen: Die Geräte und Browser, die Sie auf unseren Websites und für Websites, Apps und sonstige Onlinedienste von Drittanbietern („Drittanbieter-Websites“) verwenden Nutzungsdaten, die mit diesen Geräten und Browsern und Ihrer Nutzung unserer Dienste verbunden sind, einschließlich Daten wie IP-Adresse, Plug-ins, Spracheinstellungen, auf den Websites und den Websites Dritter verbrachte Zeit, besuchte Seiten, angeklickte Links, verwendete Zahlungsmethoden und die Seiten, die Sie zu unseren Websites und den Websites Dritter geführt haben. Wir sammeln auch Aktivitätsindikatoren, wie zum Beispiel Mausaktivitätsindikatoren, die uns helfen, Betrug aufzudecken. Mehr erfahren . Siehe hierzu auch die Cookie-Richtlinie von Stripe. Kommunikations- und Nutzungsdaten . Des Weiteren erheben wir Informationen, die Sie uns über verschiedene Kanäle zur Verfügung stellen, beispielsweise über Supporttickets, E-Mails oder Social Media. Wenn Sie auf E-Mails oder Umfragen von Stripe antworten, erheben wir Ihre E-Mail-Adresse, Ihren Namen und alle anderen Daten, die Sie in Ihrer E-Mail oder Ihren Antworten angeben. Wenn Sie telefonisch mit uns Kontakt aufnehmen, erfassen wir Ihre Telefonnummer und alle weiteren Daten, die Sie im Laufe des Gesprächs angeben. Gespräche mit Stripe oder dessen Vertretern können aufgezeichnet werden. Mehr erfahren . Zusätzlich erfassen wir Daten über Ihre Nutzung, etwa wenn Sie sich für Veranstaltungen von Stripe anmelden, daran teilnehmen oder sie ansehen, sowie alle weiteren Interaktionen mit Mitarbeitenden von Stripe. Foren und Diskussionsgruppen . Sofern unsere Websites das Posten von Inhalten gestatten, erheben wir personenbezogene Daten, die Sie im Zusammenhang mit ihrem Beitrag bereitstellen. b. Verwendung personenbezogener Daten Neben der oben beschriebenen Verwendung personenbezogener Daten verwenden wir diese auch zu folgenden Zwecken: Auswertung, Verbesserung und Weiterentwicklung unserer Dienstleistungen . Wir erheben und verarbeiten personenbezogene Daten über unsere verschiedenen Dienste, unabhängig davon, ob Sie Endnutzer/in, Endkundin oder Endkunde, Vertreter/in oder Besucher/in sind, um unsere Dienste zu verbessern, neue Dienste zu entwickeln und unsere Dienste effizienter, relevanter und sinnvoller für Sie zu gestalten. Mehr erfahren . Wir können personenbezogene Daten verwenden, um aggregierte und statistische Informationen zu erzeugen und nachzuvollziehen, wie unsere Dienste genutzt werden. Personenbezogene Daten nutzen wir u. a. folgendermaßen für die Auswertung, Verbesserung und Weiterentwicklung unserer Produkte und Dienstleistungen: Verwendung von Analysewerkzeugen auf unseren Seiten insbesondere wie in der Cookie-Richtlinie dargelegt, um Ihre Nutzung unserer Websites nachzuvollziehen und technische Probleme zu diagnostizieren Training von künstlicher Intelligenzmodelle zur Bereitstellung unserer Dienste sowie zum Schutz vor Betrug und anderen Gefahren. Mehr erfahren . Auswertung und Interpretation von Transaktionsdaten zur Senkung bzw. Vermeidung von Kosten, Betrugsfällen und Anfechtungen sowie zur Steigerung von Authentifizierungs- und Autorisierungsraten für Stripe und unsere Geschäftskunden. Kommunikation . Wir verwenden Ihre uns vorliegenden Kontaktinformationen, um unsere Dienste bereitzustellen und Ihnen insbesondere Authentifizierungscodes per SMS zuzusenden. Mehr erfahren . Wenn Sie Endnutzer/in, Vertreter/in oder Besucher/in sind, kommunizieren wir mit Ihnen mithilfe Ihrer uns vorliegenden Kontaktdaten, um Ihnen Informationen über unsere Dienstleistungen und die unserer Partner zukommen zu lassen, Sie zur Teilnahme an unseren Veranstaltungen, Umfragen oder Nutzeruntersuchungen einzuladen oder in Übereinstimmung mit geltendem Recht anderweitig für Marketingzwecke und insbesondere bzgl. etwaiger Zustimmungs- oder Opt-out-Anforderungen mit Ihnen zu kommunizieren. Wenn Sie uns beispielsweise Ihre Kontaktdaten zur Verfügung stellen oder wir Ihre geschäftlichen Kontaktdaten durch Ihre Teilnahme an Messen oder anderen Veranstaltungen erheben, können wir diese Daten verwenden, um mit Ihnen bezüglich einer Veranstaltung in Kontakt zu treten, Ihnen die angeforderten Informationen über unsere Dienstleistungen zur Verfügung zu stellen und Sie in unsere Marketing-Informationskampagnen einzubeziehen. Soweit nach geltendem Recht zulässig, können wir unsere Gespräche mit Ihnen aufzeichnen, um unsere Dienste zu erbringen, unseren rechtlichen Verpflichtungen nachzukommen, Forschung und Qualitätssicherung zu betreiben und Schulungen anzubieten. Social Media und Werbeaktionen . Wenn Sie personenbezogene Daten übermitteln, um ein Angebot, ein Programm oder eine Werbeaktion in Anspruch zu nehmen, verwenden wir die von Ihnen bereitgestellten personenbezogenen Daten zur Verwaltung des Angebots, des Programms oder der Werbeaktion. Wir verwenden die von Ihnen bereitgestellten personenbezogenen Daten zusammen mit den personenbezogenen Daten, die Sie auf Social-Media-Plattformen zur Verfügung stellen, auch für Marketingzwecke – es sei denn, wir sind dazu nicht berechtigt. Betrugsprävention und Sicherheit . Wir erheben und verwenden personenbezogene Daten, um potenziell betrügerische oder schädliche Vorgänge in unseren Diensten zu erkennen und zu bearbeiten, unsere Geschäftsdienstleistungen zur Betrugserkennung zu ermöglichen und unsere Dienste und Transaktionen vor unbefugtem Zugriff, unbefugter Nutzung, Manipulation und der Veruntreuung von personenbezogenen Daten, Informationen und Geldern zu schützen. Wir erheben Daten aus öffentlich zugänglichen Quellen, von Dritten (z. B. Kreditauskunfteien) und über die von uns angebotenen Dienste zur Betrugsprävention, Betrugserkennung, Sicherheitskontrolle und Compliance für Stripe und seine Geschäftskunden. In bestimmten Fällen können wir auch Daten über Sie direkt von Ihnen oder von unseren Geschäftskunden, Finanzpartnern und anderen Dritten zu denselben Zwecken erheben. Darüber hinaus können wir zum Schutz unserer Dienste Informationen wie IP-Adressen und andere identifizierende Daten über potenzielle Sicherheitsbedrohungen von Dritten erhalten. Mehr erfahren . Derartige Informationen helfen uns bei Identitätsverifizierungen und Bonitätsprüfungen, soweit dies gesetzlich zulässig ist, sowie bei der Betrugsprävention. Darüber hinaus können wir Technologien einsetzen, um das potenzielle Betrugsrisiko bei Personen zu bewerten, die unsere Geschäftsdienstleistungen in Anspruch nehmen wollen, oder das Risiko, das sich aus versuchten Transaktionen von Endkundinnen/Endkunden oder Endnutzerinnen/Endnutzern mit unseren Geschäftskunden oder Finanzpartnern ergibt. Einhaltung gesetzlicher Verpflichtungen . Wir verwenden personenbezogene Daten, um unsere vertraglichen und gesetzlichen Verpflichtungen zur Geldwäschebekämpfung, zur KYC-Gesetzgebung (Know-Your-Customer), zur Terrorismusbekämpfung, zum Schutz gefährdeter Kunden, zur Exportkontrolle und zum Verbot von Geschäften mit eingeschränkten Personen oder in bestimmten Geschäftsbereichen sowie andere gesetzliche Verpflichtungen zu erfüllen. Zum Beispiel können wir Transaktionsmuster und andere Online-Signale analysieren und diese Erkenntnisse nutzen, um Betrug, Geldwäsche und andere unlautere Aktivitäten zu erkennen, die Stripe, unsere Finanzpartner, Endnutzer/innen, Geschäftskunden und andere betreffen könnten. Mehr erfahren . Die Sicherheit und Rechtskonformität unserer Dienste haben für uns oberste Priorität. Die Erhebung und Nutzung personenbezogener Daten ist dafür unerlässlich. Minderjährige . Unsere Dienste richten sich nicht an Kinder unter 13 Jahren. Deshalb bitten wir diese, keine personenbezogenen Daten an uns zu übermitteln, um Dienste direkt von Stripe zu beziehen. In einigen Rechtsordnungen können wir nach geltendem Recht auch höhere Altersgrenzen festlegen. c. Weitergabe personenbezogener Daten Zusätzlich zu der oben beschriebenen Weitergabe personenbezogener Daten geben wir diese folgendermaßen weiter: Stripe-Partnerunternehmen . Wir geben personenbezogene Daten an Stripe-Partnerunternehmen für die in dieser Erklärung genannten Zwecke weiter. Dienstleister oder Auftragsverarbeiter . Um unsere Dienste bereitstellen, kommunizieren, vermarkten, auswerten und bewerben zu können, arbeiten wir mit Dienstleistern zusammen. Diese Dienstleister erbringen wichtige Dienste wie die Bereitstellung von Cloud-Infrastruktur, die Durchführung von Analysen zur Bewertung der Geschwindigkeit, Genauigkeit und/oder Sicherheit unserer Dienste, die Überprüfung von Identitäten, die Erkennung potenziell schädlicher Vorgänge sowie die Bereitstellung von Kundenservice- und Audit-Funktionen. Diesen Dienstleistern ist die Verwendung oder Offenlegung der von uns bereitgestellten personenbezogenen Daten gestattet, um Dienstleistungen in unserem Namen zu erbringen und einschlägige rechtliche Verpflichtungen zu erfüllen. Von diesen Dienstleistern verlangen wir, mit Blick auf die personenbezogenen Daten, die sie in unserem Auftrag verarbeiten, vertragliche Sicherheits- und Vertraulichkeitspflichten einzugehen. Die Mehrheit der Dienstleister, deren Dienste wir in Anspruch nehmen, befindet sich in der EU, den Vereinigten Staaten und Indien. Mehr erfahren . Finanzpartner . Wir geben personenbezogene Daten an bestimmte Finanzpartner weiter, um Geschäftskunden Dienste anbieten zu können und bestimmte Dienste gemeinsam mit diesen Finanzpartnern anzubieten. So können wir beispielsweise bestimmte personenbezogene Daten wie Zahlungsabwicklungsvolumen, Kreditrückzahlungsdaten und Kontaktinformationen von Vertretern an institutionelle Anleger und Kreditgeber weitergeben, die Kreditforderungen erwerben oder Finanzierungen im Zusammenhang mit Stripe Capital bereitstellen. Mehr erfahren . Andere mit Einwilligung . In manchen Fällen bieten wir eine Dienstleistung nicht an, sondern verweisen Sie stattdessen an andere (wie beispielsweise professionelle Dienstleistungsunternehmen, mit denen wir zusammenarbeiten, um den Atlas-Dienst zu realisieren). In diesen Fällen werden wir die Identität der Dritten und die Informationen, die an diese weitergegeben werden sollen, offenlegen und Sie um Ihre Einwilligung bitten, diese Informationen weiterzugeben. Unternehmenstransaktionen . Im Rahmen einer vollständigen oder teilweisen tatsächlichen oder beabsichtigten Umstrukturierung unseres Unternehmens durch Sanierung, Fusion, Verkauf, Joint-Venture, Abtretung, Übertragung oder Führungswechsel oder im Fall einer vollständigen oder teilweisen Veräußerung unseres Unternehmens, unserer Vermögenswerte oder Aktienbestände können wir personenbezogene Daten an Dritte weitergeben. Wird Stripe ganz oder teilweise von einem anderen Unternehmen übernommen, ist dieses Unternehmen dazu berechtigt, Ihre personenbezogenen Daten in Einklang mit dieser Datenschutzerklärung weiterhin zu verwenden. Einhaltung gesetzlicher Vorschriften und Schadensabwehr . Wir geben personenbezogene Daten weiter, wenn wir der Meinung sind, dass dies notwendig ist, um geltendes Recht einzuhalten, die von den Finanzpartnern im Zusammenhang mit der Nutzung ihrer Zahlungsmethode auferlegten Regeln einzuhalten, unsere vertraglichen Rechte durchzusetzen, die Dienste, Rechte, den Datenschutz, die Sicherheit und das Eigentum von Stripe, Ihnen und anderen insbesondere vor unlauteren und betrügerischen Aktivitäten zu schützen und auf rechtmäßige Anfragen von Gerichten, Strafverfolgungsbehörden, Aufsichtsbehörden und anderen öffentlichen und staatlichen Stellen zu reagieren, zu denen auch Stellen außerhalb Ihres Wohnsitzlandes gehören können. 3. Rechtsgrundlagen für die Verarbeitung personenbezogener Daten Für die Zwecke der Datenschutz-Grundverordnung (DSGVO) und anderer geltender Datenschutzgesetze stützen wir uns bei der Verarbeitung Ihrer personenbezogenen Daten auf eine Reihe von Rechtsgrundlagen. Mehr erfahren . In bestimmten Rechtsordnungen können zusätzliche Rechtsgrundlagen gelten, die im Abschnitt Länderbestimmungen weiter unten erläutert werden. a. Vertragliche und vorvertragliche Geschäftsbeziehungen . Wir verarbeiten personenbezogene Daten, um Geschäftsbeziehungen mit potenziellen Geschäftskunden und Endnutzerinnen/Endnutzern einzugehen und unsere jeweiligen vertraglichen Verpflichtungen mit ihnen zu erfüllen. Zu diesen Verarbeitungstätigkeiten zählen: Erstellung und Verwaltung von Stripe-Konten und Anmeldedaten für Stripe-Konten, einschließlich der Prüfung von Anfragen zur erstmaligen oder erweiterten Nutzung der von uns erbrachten Dienste Erstellung und Verwaltung von Stripe Checkout-Konten Tätigkeiten in den Bereichen Buchhaltung, Auditing und Abrechnung Zahlungsabwicklung und damit zusammenhängende Tätigkeiten wie Betrugserkennung, Verlustprävention, Transaktionsoptimierung, Mitteilungen über solche Zahlungen und damit zusammenhängende Kundendienstaktivitäten b. Einhaltung gesetzlicher Vorschriften . Wir verarbeiten personenbezogene Daten, um die Identität natürlicher und juristischer Personen zu verifizieren und so Verpflichtungen im Zusammenhang mit Betrugsüberwachung, -prävention und -erkennung, Gesetzen im Zusammenhang mit der Identifizierung und Meldung illegaler und rechtswidriger Aktivitäten etwa im Rahmen von Vorschriften zur Geldwäschebekämpfung (AML – Anti-Money Laundering) und zur Kundenidentifizierung (KYC – Know-Your-Customer), sowie Finanzberichterstattungspflichten nachzukommen. So kann es beispielsweise erforderlich sein, die Identität eines Geschäftskunden zu erfassen und zu überprüfen, um Vorschriften zur Verhinderung von Geldwäsche, Betrug und Finanzkriminalität einzuhalten. Diese Rechtsvorschriften können uns dazu verpflichten, Rechenschaft gegenüber Dritten abzulegen und uns Prüfungen durch Dritte zu unterziehen. c. Berechtigte Interessen . Soweit nach geltendem Recht zulässig, stützen wir uns bei der Verarbeitung Ihrer personenbezogenen Daten auf unsere berechtigten Geschäftsinteressen. Die folgende Liste enthält Beispiele für Geschäftszwecke, für die wir ein berechtigtes Interesse an der Verarbeitung Ihrer Daten haben: Erkennung, Verfolgung und Verhinderung von betrügerischen Handlungen und nicht autorisierten Zahlungsvorgängen Minimierung finanzieller Verluste, Ansprüche, Verbindlichkeiten oder anderer Schäden für Endkunden, Endnutzer, Geschäftskunden, Finanzpartner und Stripe Feststellung der Eignung für neue Stripe-Dienstleistungen sowie deren Angebot ( Mehr erfahren ); Beantwortung von Anfragen, Zustellung von Servicemeldungen und Erbringung von Kundensupport Vermarktung, Analyse, Änderung und Verbesserung unserer Dienste, Systeme und Tools sowie die Entwicklung neuer Produkte und Dienste, einschließlich der Verbesserung der Zuverlässigkeit der Dienste Verwaltung, Betrieb und Verbesserung der Leistung unserer Websites und Dienste mithilfe von Informationen über ihre Effektivität und die Optimierung unserer digitalen Ressourcen Analyse und Werbung für unsere Dienste und damit verbundene Verbesserungen Gesamtanalysen und Entwicklung von Business-Intelligence-Lösungen, die uns dabei unterstützen, unsere Geschäftstätigkeiten auszuführen und zu schützen, fundierte Entscheidungen zu treffen und über die Leistung unseres Unternehmens Bericht zu erstatten Weitergabe personenbezogener Daten an externe Dienstleister, die in unserem Namen Dienste anbieten, und an Geschäftspartner, die uns bei der Ausübung und Optimierung unserer Geschäftstätigkeit unterstützen ( Mehr erfahren ); Gewährleistung der Netzwerk- und Informationssicherheit bei Stripe und den von Stripe erbrachten Diensten Weitergabe personenbezogener Daten an Partnerunternehmen d. Einwilligung . Bei der Erhebung und Verarbeitung personenbezogener Daten in Bezug auf unsere Interaktionen mit Ihnen und die Bereitstellung unserer Dienste wie Link, Financial Connections, Atlas und Identity können wir uns auf Ihre Einwilligung bzw. ausdrückliche Einwilligung stützen. Wenn wir Ihre personenbezogenen Daten auf Grundlage Ihrer Einwilligung verarbeiten, haben Sie das Recht, Ihre Einwilligung jederzeit zu widerrufen, ohne dass dies Auswirkungen auf die Rechtmäßigkeit der Verarbeitung hat, die auf der Grundlage
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/ebook/en/desktop-gui/branching-merging/checkout
Checking Out a Local Branch | Learn Git Ebook (GUI Edition) Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Checking Out a Local Branch Checking out allows you to move between different commits, branches, and tags in your repository. This chapter explains how to do that. Table of Contents Part 1 - The Basics What is Version Control? Why Use Version Control? Setting Up Git on Your Computer The Basic Workflow Starting with an Unversioned Project Starting with an Existing Project Working on Your Project Part 2 - Branching &amp; Merging Branching can Change Your Life Working with Branches Saving Changes Temporarily Checking Out a Local Branch Merging Changes Branching Workflows Part 3 - Sharing Work via Remote Repositories Introduction to Remote Repositories Connecting a Remote Repository Inspecting Remote Data Integrating Remote Changes Publishing a Local Branch Deleting Branches Part 4 - Advanced Topics Undoing Things Inspecting Changes with Diffs Dealing with Merge Conflicts Rebase as an Alternative to Merge Submodules Forking Pull Requests Workflows with git-flow Handling Large Files with LFS Authentication with SSH Public Keys Part 5 - Tools &amp; Services Diff &amp; Merge Tools Code Hosting Services More Learning Resources Appendix Version Control Best Practices Switching from Subversion to Git Why Git? Learn on: Desktop GUI | Command Line Checking Out a Local Branch Now that we have a clean working copy, the first thing we have to do is switch to (or "check out") our newly created branch. The easiest way to do this in Tower is to simply double-click the branch in the sidebar. Concept Checkout, HEAD, and Your Working Copy A branch automatically points to the latest commit in that context. And since a commit references a certain version of your project, Git always knows exactly which files belong to that branch. At each point in time, only one branch can be HEAD / checked out / active. The files in your working copy are those that are associated with this exact branch. All other branches (and their associated files) are safely stored in Git's database. To make another branch (say, "contact-form") active, the "checkout" command is used. This does two things for you: (a) It makes "contact-form" the current HEAD branch. (b) It replaces the files in your working directory to match exactly the revision that "contact-form" is at. Since we're now on branch "contact-form", from now on all of our changes and commits will only impact this very context - until we switch it again by using the "checkout" command to make a different branch active. Let's prove this by creating a new file called "contact.html" and committing it: Looking at the commit history, you'll see that your new commit was properly saved. No big surprises, so far. But now let's switch back to "master" and have a look at this branch's history once more: You'll find that the "Add new contact form page" commit isn't there - because we made it in the context of our HEAD branch, which was the "contact-form" branch, not the "master" branch! This is exactly what we wanted: our changes are kept in their own context, separated from other contexts. Saving Changes Temporarily Contents Merging Changes Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice &nbsp; | &nbsp; Privacy Policy &nbsp; | &nbsp; Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/videos/share-data-on-a-remote?channel=gui
Sharing Data on a Remote Repository | Learn Git Video Course Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Learn Version Control with Git Our beginner-friendly video course teaches you the foundations of Git - and takes you from novice to master! 3 min episode 19 of 24 Sharing Data on a Remote Repository How can I use remote repositories to share work with others? Learn More Chapter Connecting a Remote Repository in our online book. Chapter Inspecting Remote Data in our online book. Previous Video &laquo; Connecting a Remote Repository Next Video Publishing a Local Repository on a Remote &raquo; Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice &nbsp; | &nbsp; Privacy Policy &nbsp; | &nbsp; Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://dev.to/decision_intelligent/cloud-vs-on-prem-erp-what-decision-intelligent-recommends-for-smes-530p
Cloud vs On-Prem ERP: What Decision Intelligent Recommends for SMEs - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse DECISION INTELLIGENT Posted on Dec 22, 2025 Cloud vs On-Prem ERP: What Decision Intelligent Recommends for SMEs # decisionintelligent # odooerp # ai # sme In today’s fast-moving business environment, choosing the right ERP deployment model is one of the most important decisions an SME can make. While the core purpose of ERP remains unchanged—centralizing data, improving efficiency, and enabling smarter decisions—the way it is deployed has evolved significantly. At Decision Intelligent Software Trading L.L.C , we help SMEs across the UAE and beyond select, implement, and optimize Odoo-based ERP systems. One of the most common questions business owners ask is: “Should we choose Cloud ERP or On-Prem ERP?” Here is a clear, business-focused comparison to help you make the right choice. What Is Cloud ERP? Cloud ERP is hosted on remote servers and accessed through the internet. Instead of owning hardware, companies pay a subscription fee to use the system. Key Benefits: Lower upfront cost — no servers or heavy IT infrastructure needed Faster implementation — ideal for SMEs needing quick deployment Automatic updates &amp; security patches Access from anywhere (office, home, warehouse, client site) Scalable — easily add users, modules, locations Ideal For: SMEs with limited IT teams, fast-growing companies, multi-location businesses, and those who prefer predictable monthly costs. What Is On-Prem ERP? On-premise ERP runs on servers physically installed in your office or data center. Your internal IT team maintains the hardware, security, and updates. Key Benefits: Full control over infrastructure Higher data isolation for industries with strict compliance needs Customization flexibility No dependency on internet availability Ideal For: Enterprises with complex operations, companies requiring full data control, or businesses with strict regulatory requirements. Category Cloud ERP On-Prem ERP Cost Lower upfront; subscription-based High upfront; long-term asset Speed of Deployment Fast Slow Security Updates Automatic Manual, IT-dependent Accessibility Anywhere, anytime Local network unless VPN added Customization Moderate Extensive Maintenance Vendor-managed In-house team required Scalability Effortless Hardware upgrades needed What Decision Intelligent Recommends for SMEs After implementing ERP systems for hundreds of SMEs in the UAE, our team—including ERP specialists like Nima Etesamifar and Marketing Strategist Reza Arabi Zanjani —has identified clear patterns in what works best. Our Recommendation: For 90% of SMEs, Cloud ERP is the most practical choice. Why? 1.Lower Cost, Faster ROI Cloud ERP minimizes upfront investment and delivers value quickly. 2.Perfect for Growing Teams Whether adding new employees, departments, or locations—scaling is effortless. 3.Strong Cybersecurity Measures Cloud providers (including Odoo) constantly update their infrastructure with enterprise-level security. 4.Less Stress on Internal Teams Your SME doesn’t need a full IT infrastructure department—saving cost and reducing operational complexity. 5.Better Remote Work Support Modern businesses operate from multiple locations; cloud makes it seamless. When We Recommend On-Prem Instead While Cloud ERP is the ideal choice for most SMEs, Decision Intelligent recommends on-premise in cases where: The business handles highly sensitive data Government or industry regulations require local hosting The operations are extremely complex and need deep customization Internet connectivity is unreliable due to location or infrastructure For these clients, we help design secure, scalable, and optimized on-prem Odoo deployments. Final Verdict Choosing between cloud and on-prem ERP is not a one-size-fits-all decision. At Decision Intelligent , we start with a deep assessment of: Your business goals Required ERP modules Budget &amp; timeline IT readiness Compliance requirements This allows us to recommend the ideal deployment model—so your ERP becomes a growth accelerator instead of a technical burden. Need Expert Help? Decision Intelligent Software Trading L.L.C specializes in Odoo implementation, ERP consulting, and intelligent business solutions for SMEs and enterprises. 👉 Book a free Odoo consultation with Decision Intelligent 📩 info@decisionintelligent.com 🌐 decisionintelligent.com 👉 Call/Whatsapp: +971 50 5169693 / +971585703015 Top comments (0) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Code of Conduct &bull; Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse DECISION INTELLIGENT Follow We empower organizations across industries to harness the power of artificial intelligence and make informed, data-backed decisions that drive success. Location Dubai, United Arab Emirates Joined Nov 18, 2025 More from DECISION INTELLIGENT How Odoo ERP Simplifies VAT Filing for UAE Businesses | Decision Intelligent # ai # decisionintelligent # odoo # erp UAE VAT &amp; Corporate Tax Compliance with Odoo ERP | Decision Intelligent # ai # decisionintelligent # odooerp # uaetax Odoo for Real Estate: How Decision Intelligent Helps Agencies Automate Operations # decisionintelligent # ai # odoo # realestate 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.python.org/events/#python-network
Our Events | Python.org Notice: While JavaScript is not essential for this website, your interaction with the content will be limited. Please turn JavaScript on for the full experience. Skip to content &#9660; Close Python PSF Docs PyPI Jobs Community &#9650; The Python Network Donate &equiv; Menu Search This Site GO A A Smaller Larger Reset Socialize LinkedIn Mastodon Chat on IRC Twitter About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner&#x27;s Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Upcoming Events Python Meeting Düsseldorf 14 Jan. 2026 2026 5pm UTC – 8pm UTC Düsseldorf, Germany Python Leiden User Group 22 Jan. 2026 2026 6:15pm UTC – 9pm UTC Leiden, The Netherlands PyLadies Amsterdam: Robotics beginner class with MicroPython 27 Jan. 2026 2026 5pm UTC – 8pm UTC Amsterdam, The Netherlands and Online Python Devroom @ FOSDEM 2026 31 Jan. 2026 2026 Brussels, Belgium PyCon Namibia 2026 20 Feb. 2026 &ndash; 26 Feb. 2026 Windhoek, Namibia Python BarCamp Karlsruhe 2026 21 Feb. 2026 &ndash; 22 Feb. 2026 Karlsruhe, Germany PyConf Hyderabad 2026 14 March 2026 &ndash; 15 March 2026 Hyderabad, Telangana, India PyCascades 2026 21 March 2026 &ndash; 22 March 2026 Vancouver, British Columbia, Canada PythonAsia 2026 21 March 2026 &ndash; 23 March 2026 Malate, Philippines PyCon Lithuania 2026 08 April 2026 &ndash; 10 April 2026 Vilnius, Lithuania PyCon DE &amp; PyData 2026 14 April 2026 &ndash; 17 April 2026 Darmstadt, Germany PyTexas 2026 17 April 2026 &ndash; 19 April 2026 Austin, USA PyCon Austria 2026 19 April 2026 &ndash; 20 April 2026 Eisenstadt, Austria Python Meeting Düsseldorf 22 April 2026 2026 4pm UTC – 7pm UTC Düsseldorf, Germany PyCon US 2026 13 May 2026 &ndash; 18 May 2026 Long Beach, CA, USA PyCon Italia 2026 27 May 2026 &ndash; 30 May 2026 Bologna, Italy PyOhio 2026 25 July 2026 &ndash; 26 July 2026 Cleveland, USA PyCon AU 2026 26 Aug. 2026 &ndash; 30 Aug. 2026 Brisbane, Australia PyCon PL 2026 27 Aug. 2026 &ndash; 30 Aug. 2026 Gliwice, Poland PyCon Kenya 2026 28 Aug. 2026 &ndash; 29 Aug. 2026 Nairobi, Kenya DjangoCon US 2026 14 Sept. 2026 &ndash; 18 Sept. 2026 Chicago, USA PyBay 2026 03 Oct. 2026 2026 San Francisco, CA, USA PyCon Estonia 2026 08 Oct. 2026 &ndash; 09 Oct. 2026 Tallinn, Estonia PyCon Greece 2026 12 Oct. 2026 &ndash; 13 Oct. 2026 Athens , Greece You just missed... PyData Global 2025 09 Dec. 2025 &ndash; 11 Dec. 2025 Online Building an AI Agent 25 Nov. 2025 2025 5:30pm UTC – 8pm UTC JetBrains Amsterdam Terrace Tower office; Gelrestraat 16, 1079 MZ, Amsterdam, The Netherlands Python Events Calendars For Python events near you, please have a look at the Python events map . The Python events calendars are maintained by the events calendar team . Please see the events calendar project page for details on how to submit events , subscribe to the calendars , get Twitter feeds or embed them. Thank you. &#9650; Back to Top About Applications Quotes Getting Started Help Python Brochure Downloads All releases Source code Windows macOS Android Other Platforms License Alternative Implementations Documentation Docs Audio/Visual Talks Beginner&#x27;s Guide FAQ Non-English Docs PEP Index Python Books Python Essays Community Diversity Mailing Lists IRC Forums PSF Annual Impact Report Python Conferences Special Interest Groups Python Logo Python Wiki Code of Conduct Community Awards Get Involved Shared Stories Success Stories Arts Business Education Engineering Government Scientific Software Development News Python News PSF Newsletter PSF News PyCon US News News from the Community Events Python Events User Group Events Python Events Archive User Group Events Archive Submit an Event Contributing Developer&#x27;s Guide Issue Tracker python-dev list Core Mentorship Report a Security Issue &#9650; Back to Top Help &amp; General Contact Diversity Initiatives Submit Website Bug Status Copyright &copy;2001-2026. &nbsp; Python Software Foundation &nbsp; Legal Statements &nbsp; Privacy Notice Powered by PSF Community Infrastructure -->
2026-01-13T08:49:19
https://claude.com/regional-compliance
Regional Compliance | Claude -------> Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Platform Platform / Regional compliance Explore here Ask questions about this page Copy as markdown Deploy Claude confidently, wherever you are Claude is available globally with regional data residency and inference, comprehensive compliance certifications, and deployment across all major cloud platforms. Contact sales Contact sales Contact sales Visit Trust Center Visit Trust Center Visit Trust Center Built for regulated industries, worldwide Trusted  compliance Organizations in highly regulated industries trust Claude to handle their most sensitive work while meeting strict regional compliance requirements. Flexible deployment Whether you&#x27;re a startup navigating your first audit or a Fortune 500 company with global operations, Claude’s deployment options meet you where you are. Safety-first Anthropic&#x27;s safety-first approach to AI extends to how we protect and process your data, from technical deployment to operational practices. Flexible deployment, data storage, and inference processing Meet your regional data residency and compliance requirements with Claude. Choose where your data is stored and processed. Available on AWS Bedrock, GCP Vertex, and Microsoft Foundry. Claude&#x27;s regional availability Region AWS Bedrock Specifications GCP Vertex Specifications Microsoft Foundry Specifications Asia-Pacific AWS Bedrock Specifications GCP Vertex Specifications Microsoft Foundry Specifications Coming 2026 Canada AWS Bedrock Specifications GCP Vertex Specifications Microsoft Foundry Specifications Coming 2026 Europe AWS Bedrock Specifications GCP Vertex Specifications Microsoft Foundry Specifications Coming 2026 United States AWS Bedrock Specifications GCP Vertex Specifications Microsoft Foundry Specifications Understand data residency 
and inference Claude gives you control over where your data is stored, requests are processed, and responses are generated. Data residency Controls where prompts, outputs, and conversation history are stored. Inference residency Controls where Claude processes requests and generates responses. Trusted across 
regulated sectors Organizations in financial services, healthcare, life sciences, government, and legal services accelerate sensitive, mission-critical workflows with Claude while maintaining compliance standards. $1.7T Norges Bank Investment Management handles $1.7T in assets with European data protection compliance. Read story Read story Read story 90% Novo Nordisk, the maker of Ozempic, cut regulatory documentation time by 90% with Claude. Read story Read story Read story 2.1M The European Parliament transformed 2.1M archive documents accessibility with Claude via AWS Bedrock. Read story Read story Read story Compliance and certifications Claude supports compliance with industry and regional standards. Regulatory compliance GDPR (General Data Protection Regulation) with regional processing within EU/EEA HIPAA (Health Insurance Portability and Accountability Act) for protected health information ‍ Data Processing Addendum defining roles and responsibilities Support for data subject rights, retention policies, and deletion capabilities ‍ Security certifications SOC 2 Type 2 Security, Availability, and Confidentiality ISO/IEC 27001 Information Security Management ISO/IEC 27017 Cloud Security ISO/IEC 27018 Cloud Privacy CSA STAR Cloud Security Alliance Documentation and certifications View complete compliance documentation and certifications at our Trust Center. Visit Trust Center Visit Trust Center Visit Trust Center Data protection commitment By default, Anthropic does not use customer data from commercial deployments to train models. Your proprietary information and client data remain confidential across all deployment options and compliance frameworks. Prev Prev Next Next FAQ Can I choose which specific region my data is processed in? Yes. Regional endpoints allow you to specify geographic boundaries for both data storage and inference processing. For Europe, you can select country-specific deployment options through AWS Bedrock, GCP Vertex, and Microsoft Foundry to meet local data residency requirements. Where is regional data residency available? Regional data residency is available across Europe, United States, Canada, and Asia-Pacific regions including Japan, South Korea, Singapore, India, and Australia. Choose between global endpoints for maximum availability or regional endpoints for guaranteed geographic routing. What&#x27;s the difference between global and regional endpoints? Global endpoints dynamically route requests to regions with available capacity, providing maximum uptime with no pricing premium. Regional endpoints guarantee that both data storage and model processing remain within your specified geographic region. Pricing for regional endpoints may reflect dedicated regional infrastructure costs. How does regional deployment affect model performance and capabilities? Regional deployment provides access to the same frontier Claude models (Sonnet 4.5, Opus 4.5, and Haiku 4.5) with the same intelligence and performance. All platforms support fundamental capabilities including vision, tool use, and extended context windows. Some advanced features may vary by platform—check the feature support documentation for AWS Bedrock, GCP Vertex, and Microsoft Foundry—or reach out to our sales team—to confirm specific capabilities for your needs. Prev Prev Next Next Get started with regional deployment Visit Trust Center Visit Trust Center Visit Trust Center Contact sales Contact sales Contact sales Homepage Homepage Next Next Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Write Button Text Button Text Learn Button Text Button Text Code Button Text Button Text Write Help me develop a unique voice for an audience Hi Claude! Could you help me develop a unique voice for an audience? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Improve my writing style Hi Claude! Could you improve my writing style? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Brainstorm creative ideas Hi Claude! Could you brainstorm creative ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Learn Explain a complex topic simply Hi Claude! Could you explain a complex topic simply? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Help me make sense of these ideas Hi Claude! Could you help me make sense of these ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Prepare for an exam or interview Hi Claude! Could you prepare for an exam or interview? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Code Explain a programming concept Hi Claude! Could you explain a programming concept? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Look over my code and give me tips Hi Claude! Could you look over my code and give me tips? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Vibe code with me Hi Claude! Could you vibe code with me? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! More Write case studies This is another test Write grant proposals Hi Claude! Could you write grant proposals? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to — like Google Drive, web search, etc. — if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can - an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Write video scripts this is a test Anthropic Anthropic © [year] Anthropic PBC Products Claude Claude Claude Claude Code Claude Code Claude Code Max plan Max plan Max plan Team plan Team plan Team plan Enterprise plan Enterprise plan Enterprise plan Download app Download app Download app Pricing Pricing Pricing Log in Log in Log in Features Claude in Chrome Claude in Chrome Claude in Chrome Claude in Slack Claude in Slack Claude in Slack Claude in Excel Claude in Excel Claude in Excel Skills Skills Skills Models Opus Opus Opus Sonnet Sonnet Sonnet Haiku Haiku Haiku Solutions AI agents AI agents AI agents Code modernization Code modernization Code modernization Coding Coding Coding Customer support Customer support Customer support Education Education Education Financial services Financial services Financial services Government Government Government Healthcare Healthcare Healthcare Life sciences Life sciences Life sciences Nonprofits Nonprofits Nonprofits Claude Developer Platform Overview Overview Overview Developer docs Developer docs Developer docs Pricing Pricing Pricing Regional Compliance Regional Compliance Regional Compliance Amazon Bedrock Amazon Bedrock Amazon Bedrock Google Cloud’s Vertex AI Google Cloud’s Vertex AI Google Cloud’s Vertex AI Console login Console login Console login Learn Blog Blog Blog Claude partner network Claude partner network Claude partner network Courses Courses Courses Connectors Connectors Connectors Customer stories Customer stories Customer stories Engineering at Anthropic Engineering at Anthropic Engineering at Anthropic Events Events Events Powered by Claude Powered by Claude Powered by Claude Service partners Service partners Service partners Startups program Startups program Startups program Tutorials Tutorials Tutorials Use cases Use cases Use cases Company Anthropic Anthropic Anthropic Careers Careers Careers Economic Futures Economic Futures Economic Futures Research Research Research News News News Responsible Scaling Policy Responsible Scaling Policy Responsible Scaling Policy Security and compliance Security and compliance Security and compliance Transparency Transparency Transparency Help and security Availability Availability Availability Status Status Status Support center Support center Support center Terms and policies Privacy choices Cookie settings We use cookies to deliver and improve our services, analyze site usage, and if you agree, to customize or personalize your experience and market our services to you. You can read our Cookie Policy here . Customize cookie settings Reject all cookies Accept all cookies Necessary Enables security and basic functionality. Required Analytics Enables tracking of site performance. Off Marketing Enables ads personalization and tracking. Off Save preferences Privacy policy Privacy policy Privacy policy Responsible disclosure policy Responsible disclosure policy Responsible disclosure policy Terms of service: Commercial Terms of service: Commercial Terms of service: Commercial Terms of service: Consumer Terms of service: Consumer Terms of service: Consumer Usage policy Usage policy Usage policy x.com x.com LinkedIn LinkedIn YouTube YouTube Instagram Instagram English (US) English (US) 日本語 (Japan) Deutsch (Germany) Français (France) 한국어 (South Korea)
2026-01-13T08:49:19
https://claude.com/blog
Blog | Claude -------> Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Meet Claude Products Claude Claude Code Features Claude in Chrome Claude in Slack Claude in Excel Skills Models Opus Sonnet Haiku Platform Overview Developer docs Pricing Regional Compliance Console login Solutions Use cases AI agents Coding Industries Customer support Education Financial services Government Healthcare Life sciences Nonprofits Pricing Overview API Max plan Team plan Enterprise plan Learn Blog Courses Customer stories Events Tutorials Use cases Anthropic news Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Contact sales Contact sales Contact sales Try Claude Try Claude Try Claude Blog Blog Explore here Ask questions about this page Copy as markdown Filter and sort Sort by Newest Alphabetically (A to Z) Alphabetically (Z to A) Category Agents Coding Enterprise AI Product announcements Product Claude for Enterprise Claude apps Claude Developer Platform Claude Code Use case Agents Business Coding Content Creation Design Education Financial services Government Health care and life sciences Learning Legal Productivity Sales Work Reset Reset Reset Apply Apply Apply Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Blog Product news and best practices for teams building with Claude. Try Claude Try Claude Try Claude All 1 Agents Coding Enterprise AI Product announcements Cowork: Claude Code for the rest of your work January 12, 2026 Read more Read more How enterprises are building AI agents in 2026 December 9, 2025 Read more Read more Building Skills for Claude Code: Automating your procedural knowledge December 2, 2025 Read more Read more Improving frontend design through Skills November 12, 2025 Read more Read more Building AI agents for financial services October 30, 2025 Read more Read more Claude Code on the web October 20, 2025 Read more Read more Claude and Slack October 1, 2025 Read more Read more Piloting Claude in Chrome August 25, 2025 Read more Read more How Anthropic teams use Claude Code July 24, 2025 Read more Read more Claude can now connect to your world May 1, 2025 Read more Read more Cowork: Claude Code for the rest of your work January 12, 2026 Read more Read more How enterprises are building AI agents in 2026 December 9, 2025 Read more Read more Building Skills for Claude Code: Automating your procedural knowledge December 2, 2025 Read more Read more Improving frontend design through Skills November 12, 2025 Read more Read more Building AI agents for financial services October 30, 2025 Read more Read more Claude Code on the web October 20, 2025 Read more Read more Claude and Slack October 1, 2025 Read more Read more Piloting Claude in Chrome August 25, 2025 Read more Read more How Anthropic teams use Claude Code July 24, 2025 Read more Read more Claude can now connect to your world May 1, 2025 Read more Read more Filter and sort Sort by Sort by Newest Alphabetically (A to Z) Alphabetically (Z to A) Category Agents Coding Enterprise AI Product announcements Product Claude for Enterprise Claude apps Claude Developer Platform Claude Code Use case Agents Business Coding Content Creation Design Education Financial services Government Health care and life sciences Learning Legal Productivity Sales Work Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Search Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Grid List Jan 12, 2026 Cowork: Claude Code for the rest of your work Product announcements Cowork: Claude Code for the rest of your work January 12, 2026 Cowork: Claude Code for the rest of your work Cowork: Claude Code for the rest of your work Cowork: Claude Code for the rest of your work Cowork: Claude Code for the rest of your work Dec 19, 2025 Extending Claude’s capabilities with skills and MCP servers Agents Extending Claude’s capabilities with skills and MCP servers December 19, 2025 Extending Claude’s capabilities with skills and MCP servers Extending Claude’s capabilities with skills and MCP servers Extending Claude’s capabilities with skills and MCP servers Extending Claude’s capabilities with skills and MCP servers Dec 18, 2025 Skills for organizations, partners, the ecosystem Product announcements Skills for organizations, partners, the ecosystem December 18, 2025 Skills for organizations, partners, the ecosystem Skills for organizations, partners, the ecosystem Skills for organizations, partners, the ecosystem Skills for organizations, partners, the ecosystem Dec 12, 2025 Making Claude a better electrical engineer Enterprise AI Making Claude a better electrical engineer December 12, 2025 Making Claude a better electrical engineer Making Claude a better electrical engineer Making Claude a better electrical engineer Making Claude a better electrical engineer Dec 11, 2025 Claude Code power user customization: How to configure hooks Coding Claude Code power user customization: How to configure hooks December 11, 2025 Claude Code power user customization: How to configure hooks Claude Code power user customization: How to configure hooks Claude Code power user customization: How to configure hooks Claude Code power user customization: How to configure hooks Dec 9, 2025 How enterprises are building AI agents in 2026 Enterprise AI How enterprises are building AI agents in 2026 December 9, 2025 How enterprises are building AI agents in 2026 How enterprises are building AI agents in 2026 How enterprises are building AI agents in 2026 How enterprises are building AI agents in 2026 Dec 8, 2025 How Anthropic&#x27;s legal team cut review times from days to hours with Claude Enterprise AI How Anthropic&#x27;s legal team cut review times from days to hours with Claude December 8, 2025 How Anthropic&#x27;s legal team cut review times from days to hours with Claude How Anthropic&#x27;s legal team cut review times from days to hours with Claude How Anthropic&#x27;s legal team cut review times from days to hours with Claude How Anthropic&#x27;s legal team cut review times from days to hours with Claude Dec 8, 2025 Claude Code and Slack Product announcements Claude Code and Slack December 8, 2025 Claude Code and Slack Claude Code and Slack Claude Code and Slack Claude Code and Slack Dec 2, 2025 Building Skills for Claude Code: Automating your procedural knowledge Coding Building Skills for Claude Code: Automating your procedural knowledge December 2, 2025 Building Skills for Claude Code: Automating your procedural knowledge Building Skills for Claude Code: Automating your procedural knowledge Building Skills for Claude Code: Automating your procedural knowledge Building Skills for Claude Code: Automating your procedural knowledge Dec 1, 2025 What are the key benefits of transitioning to agentic coding for software development? Coding What are the key benefits of transitioning to agentic coding for software development? December 1, 2025 What are the key benefits of transitioning to agentic coding for software development? What are the key benefits of transitioning to agentic coding for software development? What are the key benefits of transitioning to agentic coding for software development? What are the key benefits of transitioning to agentic coding for software development? Nov 25, 2025 Using CLAUDE.md files: Customizing Claude Code for your codebase Coding Using CLAUDE.md files: Customizing Claude Code for your codebase November 25, 2025 Using CLAUDE.md files: Customizing Claude Code for your codebase Using CLAUDE.md files: Customizing Claude Code for your codebase Using CLAUDE.md files: Customizing Claude Code for your codebase Using CLAUDE.md files: Customizing Claude Code for your codebase Nov 20, 2025 What’s new in Claude: Turning Claude into your thinking partner Product announcements What’s new in Claude: Turning Claude into your thinking partner November 20, 2025 What’s new in Claude: Turning Claude into your thinking partner What’s new in Claude: Turning Claude into your thinking partner What’s new in Claude: Turning Claude into your thinking partner What’s new in Claude: Turning Claude into your thinking partner Nov 19, 2025 How to create Skills: Key steps, limitations, and examples Coding How to create Skills: Key steps, limitations, and examples November 19, 2025 How to create Skills: Key steps, limitations, and examples How to create Skills: Key steps, limitations, and examples How to create Skills: Key steps, limitations, and examples How to create Skills: Key steps, limitations, and examples Nov 17, 2025 How three YC startups built their companies with Claude Code Coding How three YC startups built their companies with Claude Code November 17, 2025 How three YC startups built their companies with Claude Code How three YC startups built their companies with Claude Code How three YC startups built their companies with Claude Code How three YC startups built their companies with Claude Code Nov 14, 2025 Structured outputs on the Claude Developer Platform Product announcements Structured outputs on the Claude Developer Platform November 14, 2025 Structured outputs on the Claude Developer Platform Structured outputs on the Claude Developer Platform Structured outputs on the Claude Developer Platform Structured outputs on the Claude Developer Platform View more 1 / 6 Category Product Usecase Cowork: Claude Code for the rest of your work Category Product announcements Product Usecase January 12, 2026 Cowork: Claude Code for the rest of your work Cowork: Claude Code for the rest of your work Cowork: Claude Code for the rest of your work Cowork: Claude Code for the rest of your work Extending Claude’s capabilities with skills and MCP servers Category Agents Product Usecase December 19, 2025 Extending Claude’s capabilities with skills and MCP servers Extending Claude’s capabilities with skills and MCP servers Extending Claude’s capabilities with skills and MCP servers Extending Claude’s capabilities with skills and MCP servers Skills for organizations, partners, the ecosystem Category Product announcements Product Usecase December 18, 2025 Skills for organizations, partners, the ecosystem Skills for organizations, partners, the ecosystem Skills for organizations, partners, the ecosystem Skills for organizations, partners, the ecosystem Making Claude a better electrical engineer Category Enterprise AI Product Usecase December 12, 2025 Making Claude a better electrical engineer Making Claude a better electrical engineer Making Claude a better electrical engineer Making Claude a better electrical engineer Claude Code power user customization: How to configure hooks Category Coding Product Usecase December 11, 2025 Claude Code power user customization: How to configure hooks Claude Code power user customization: How to configure hooks Claude Code power user customization: How to configure hooks Claude Code power user customization: How to configure hooks How enterprises are building AI agents in 2026 Category Enterprise AI Product Usecase December 9, 2025 How enterprises are building AI agents in 2026 How enterprises are building AI agents in 2026 How enterprises are building AI agents in 2026 How enterprises are building AI agents in 2026 How Anthropic&#x27;s legal team cut review times from days to hours with Claude Category Enterprise AI Product Usecase December 8, 2025 How Anthropic&#x27;s legal team cut review times from days to hours with Claude How Anthropic&#x27;s legal team cut review times from days to hours with Claude How Anthropic&#x27;s legal team cut review times from days to hours with Claude How Anthropic&#x27;s legal team cut review times from days to hours with Claude Claude Code and Slack Category Product announcements Product Usecase December 8, 2025 Claude Code and Slack Claude Code and Slack Claude Code and Slack Claude Code and Slack Building Skills for Claude Code: Automating your procedural knowledge Category Coding Product Usecase December 2, 2025 Building Skills for Claude Code: Automating your procedural knowledge Building Skills for Claude Code: Automating your procedural knowledge Building Skills for Claude Code: Automating your procedural knowledge Building Skills for Claude Code: Automating your procedural knowledge What are the key benefits of transitioning to agentic coding for software development? Category Coding Product Usecase December 1, 2025 What are the key benefits of transitioning to agentic coding for software development? What are the key benefits of transitioning to agentic coding for software development? What are the key benefits of transitioning to agentic coding for software development? What are the key benefits of transitioning to agentic coding for software development? Using CLAUDE.md files: Customizing Claude Code for your codebase Category Coding Product Usecase November 25, 2025 Using CLAUDE.md files: Customizing Claude Code for your codebase Using CLAUDE.md files: Customizing Claude Code for your codebase Using CLAUDE.md files: Customizing Claude Code for your codebase Using CLAUDE.md files: Customizing Claude Code for your codebase What’s new in Claude: Turning Claude into your thinking partner Category Product announcements Product Usecase November 20, 2025 What’s new in Claude: Turning Claude into your thinking partner What’s new in Claude: Turning Claude into your thinking partner What’s new in Claude: Turning Claude into your thinking partner What’s new in Claude: Turning Claude into your thinking partner How to create Skills: Key steps, limitations, and examples Category Coding Product Usecase November 19, 2025 How to create Skills: Key steps, limitations, and examples How to create Skills: Key steps, limitations, and examples How to create Skills: Key steps, limitations, and examples How to create Skills: Key steps, limitations, and examples How three YC startups built their companies with Claude Code Category Coding Product Usecase November 17, 2025 How three YC startups built their companies with Claude Code How three YC startups built their companies with Claude Code How three YC startups built their companies with Claude Code How three YC startups built their companies with Claude Code Structured outputs on the Claude Developer Platform Category Product announcements Product Usecase November 14, 2025 Structured outputs on the Claude Developer Platform Structured outputs on the Claude Developer Platform Structured outputs on the Claude Developer Platform Structured outputs on the Claude Developer Platform View more 1 / 6 No posts for those filters Try another search or clear some of your filters. Clear all filters Clear all filters Clear all filters eBook Building trusted
AI in the enterprise Anthropic’s guide to starting, scaling, and succeeding based on real-world examples and best practices Download now Download now Download now Search Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Transform how your organization operates with Claude See pricing See pricing See pricing Contact sales Contact sales Contact sales Get the developer newsletter Product updates, how-tos, community spotlights, and more. Delivered monthly to your inbox. Subscribe Subscribe Please provide your email address if you&#x27;d like to receive our monthly developer newsletter. You can unsubscribe at any time. Thank you! You’re subscribed. Sorry, there was a problem with your submission, please try again later. Homepage Homepage Next Next Thank you! Your submission has been received! Oops! Something went wrong while submitting the form. Write Button Text Button Text Learn Button Text Button Text Code Button Text Button Text Write Help me develop a unique voice for an audience Hi Claude! Could you help me develop a unique voice for an audience? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Improve my writing style Hi Claude! Could you improve my writing style? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Brainstorm creative ideas Hi Claude! Could you brainstorm creative ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Learn Explain a complex topic simply Hi Claude! Could you explain a complex topic simply? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Help me make sense of these ideas Hi Claude! Could you help me make sense of these ideas? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Prepare for an exam or interview Hi Claude! Could you prepare for an exam or interview? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Code Explain a programming concept Hi Claude! Could you explain a programming concept? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Look over my code and give me tips Hi Claude! Could you look over my code and give me tips? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Vibe code with me Hi Claude! Could you vibe code with me? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to— like Google Drive, web search, etc.—if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can—an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! More Write case studies This is another test Write grant proposals Hi Claude! Could you write grant proposals? If you need more information from me, ask me 1-2 key questions right away. If you think I should upload any documents that would help you do a better job, let me know. You can use the tools you have access to — like Google Drive, web search, etc. — if they’ll help you better accomplish this task. Do not use analysis tool. Please keep your responses friendly, brief and conversational. Please execute the task as soon as you can - an artifact would be great if it makes sense. If using an artifact, consider what kind of artifact (interactive, visual, checklist, etc.) might be most helpful for this specific task. Thanks for your help! Write video scripts this is a test Anthropic Anthropic © [year] Anthropic PBC Products Claude Claude Claude Claude Code Claude Code Claude Code Max plan Max plan Max plan Team plan Team plan Team plan Enterprise plan Enterprise plan Enterprise plan Download app Download app Download app Pricing Pricing Pricing Log in Log in Log in Features Claude in Chrome Claude in Chrome Claude in Chrome Claude in Slack Claude in Slack Claude in Slack Claude in Excel Claude in Excel Claude in Excel Skills Skills Skills Models Opus Opus Opus Sonnet Sonnet Sonnet Haiku Haiku Haiku Solutions AI agents AI agents AI agents Code modernization Code modernization Code modernization Coding Coding Coding Customer support Customer support Customer support Education Education Education Financial services Financial services Financial services Government Government Government Healthcare Healthcare Healthcare Life sciences Life sciences Life sciences Nonprofits Nonprofits Nonprofits Claude Developer Platform Overview Overview Overview Developer docs Developer docs Developer docs Pricing Pricing Pricing Regional Compliance Regional Compliance Regional Compliance Amazon Bedrock Amazon Bedrock Amazon Bedrock Google Cloud’s Vertex AI Google Cloud’s Vertex AI Google Cloud’s Vertex AI Console login Console login Console login Learn Blog Blog Blog Claude partner network Claude partner network Claude partner network Courses Courses Courses Connectors Connectors Connectors Customer stories Customer stories Customer stories Engineering at Anthropic Engineering at Anthropic Engineering at Anthropic Events Events Events Powered by Claude Powered by Claude Powered by Claude Service partners Service partners Service partners Startups program Startups program Startups program Tutorials Tutorials Tutorials Use cases Use cases Use cases Company Anthropic Anthropic Anthropic Careers Careers Careers Economic Futures Economic Futures Economic Futures Research Research Research News News News Responsible Scaling Policy Responsible Scaling Policy Responsible Scaling Policy Security and compliance Security and compliance Security and compliance Transparency Transparency Transparency Help and security Availability Availability Availability Status Status Status Support center Support center Support center Terms and policies Privacy choices Cookie settings We use cookies to deliver and improve our services, analyze site usage, and if you agree, to customize or personalize your experience and market our services to you. You can read our Cookie Policy here . Customize cookie settings Reject all cookies Accept all cookies Necessary Enables security and basic functionality. Required Analytics Enables tracking of site performance. Off Marketing Enables ads personalization and tracking. Off Save preferences Privacy policy Privacy policy Privacy policy Responsible disclosure policy Responsible disclosure policy Responsible disclosure policy Terms of service: Commercial Terms of service: Commercial Terms of service: Commercial Terms of service: Consumer Terms of service: Consumer Terms of service: Consumer Usage policy Usage policy Usage policy x.com x.com LinkedIn LinkedIn YouTube YouTube Instagram Instagram English (US) English (US) 日本語 (Japan) Deutsch (Germany) Français (France) 한국어 (South Korea)
2026-01-13T08:49:19
https://stripe.com/en-ch/privacy
Chat with Stripe sales Datenschutzrichtlinie Stripe logo Legal Stripe Privacy Policy &amp; Privacy Center Privacy Policy Cookies Policy Data Privacy Framework Service Providers List Data Processing Agreement Supplier Data Processing Agreement Stripe Privacy Center Privacy Policy Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you&#39;re a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you&#39;ve bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called &quot;Link,&quot; which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User&#39;s lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you&#39;re an End Customer, please refer to the privacy policy of the Business User you&#39;re doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you&#39;re an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we&#39;ve collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers&#39; Personal Data with them. Where allowed, we also use End Customers&#39; Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers&#39; Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don&#39;t finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives&#39; Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives&#39; Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that&#39;s tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer (&quot;KYC&quot;) laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering (&quot;AML&quot;) and Know-Your-Customer (“KYC&quot;) regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We&#39;ll try to process your request(s) as quickly as reasonably practicable. However, it&#39;s important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it&#39;s inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you&#39;ve submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it&#39;s technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account&#39;s security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you&#39;re doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you&#39;ve used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it&#39;s sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom (&quot;UK&quot;), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractual Clauses approved by the European Commission and the UK International Data Transfer Addendum issued by the Information Commissioner’s Office. You can obtain a copy of the relevant Standard Contractual Clauses. Learn More . Other lawful methods available to us under applicable law.  Stripe, Inc. complies with the EU-U.S. Data Privacy Framework (“EU-U.S. DPF”), the UK Extension to the EU-U.S. DPF, and the Swiss-U.S. Data Privacy Framework as set forth by the U.S. Department of Commerce and as applicable. Learn More . Stripe’s privacy practices, as described in this Privacy Policy, comply with the Cross Border Privacy Rules System (“CBPR
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/videos/undo-things?channel=gui
Undoing Things | Learn Git Video Course Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Learn Version Control with Git Our beginner-friendly video course teaches you the foundations of Git - and takes you from novice to master! 6 min episode 15 of 24 Undoing Things How can I undo things in Git? Learn More Chapter Undoing Things in our online book. Previous Video &laquo; Dealing with Merge Conflicts Next Video Tags &raquo; Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice &nbsp; | &nbsp; Privacy Policy &nbsp; | &nbsp; Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://stripe.com/es-us/privacy
Chatear con ventas de Stripe Privacy Policy Stripe logo Legales Stripe Privacy Policy &amp; Privacy Center Política de privacidad Política de utilización de cookies Marco de privacidad de los datos Lista de proveedores de servicios Acuerdo sobre el procesamiento de datos Supplier Data Processing Agreement Centro de privacidad de Stripe Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you&#39;re a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you&#39;ve bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called &quot;Link,&quot; which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User&#39;s lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you&#39;re an End Customer, please refer to the privacy policy of the Business User you&#39;re doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you&#39;re an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we&#39;ve collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers&#39; Personal Data with them. Where allowed, we also use End Customers&#39; Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers&#39; Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don&#39;t finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives&#39; Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives&#39; Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that&#39;s tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer (&quot;KYC&quot;) laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering (&quot;AML&quot;) and Know-Your-Customer (“KYC&quot;) regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We&#39;ll try to process your request(s) as quickly as reasonably practicable. However, it&#39;s important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it&#39;s inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you&#39;ve submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it&#39;s technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account&#39;s security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you&#39;re doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you&#39;ve used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it&#39;s sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom (&quot;UK&quot;), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Da
2026-01-13T08:49:19
https://x.com/suprsend
JavaScript is not available. We’ve detected that JavaScript is disabled in this browser. Please enable JavaScript or switch to a supported browser to continue using x.com. You can see a list of supported browsers in our Help Center. Help Center Terms of Service Privacy Policy Cookie Policy Imprint Ads info © 2026 X Corp. Something went wrong, but don’t fret — let’s give it another shot. Try again Some privacy related extensions may cause issues on x.com. Please disable them and try again.
2026-01-13T08:49:19
https://stripe.com/sv-fi/privacy
Chatta med Stripe-försäljning Privacy Policy Stripe logo Juridisk Stripe Privacy Policy &amp; Privacy Center Integritetspolicy Cookie-policy Ramverk för dataintegritet Lista över tjänsteleverantörer Avtal om databehandling Supplier Data Processing Agreement Stripes integritetscenter Privacy Policy This Privacy Policy will be updated on January 16, 2026. Please review the upcoming changes here . Last updated: January 16, 2025 This Privacy Policy includes important information about your personal data and we encourage you to read it carefully. Welcome We provide financial infrastructure for the internet. Individuals and businesses of all sizes use our technology and services to facilitate purchases, accept payments, send payouts, and manage online businesses. This Privacy Policy (“Policy”) describes the Personal Data that we collect, how we use and share it, and details on how you can reach us with privacy-related inquiries. The Policy also outlines your rights and choices as a data subject, including the right to object to certain uses of your Personal Data.  Depending on the activity, Stripe assumes the role of a “data controller” and/or “data processor” (or “service provider”). For more details about our privacy practices, including our role, the specific Stripe entity responsible under this Policy, and our legal bases for processing your Personal Data, please visit our Privacy Center . Defined Terms In this Policy, “Stripe”, “we”, “our,” or “us” refers to the Stripe entity responsible for the collection, use, and handling of Personal Data as described in this document. Depending on your jurisdiction, the specific Stripe entity accountable for your Personal Data might vary. Learn More . “Personal Data” refers to any information associated with an identified or identifiable individual, which can include data that you provide to us, and that we collect about you during your interaction with our Services (such as device information, IP address, etc.). “Services” refers to the products, services, devices, and applications, that we provide under the Stripe Services Agreement (“Business Services”) or the Stripe Consumer Terms of Service (“End User Services”); websites (“Sites”) like Stripe.com and Link.com; and other Stripe applications and online services. We provide Business Services to entities (“Business Users”). We provide End User Services directly to individuals for their personal use.  “Financial Partners” are financial institutions, banks, and other partners such as payment method acquirers, payout providers, and card networks that we partner with to provide the Services. Depending on the context, “you” might be an End Customer, End User, Representative, or Visitor: End Users. When you use an End User Service, such as saving a payment method with Link, for personal use we refer to you as an “End User.” End Customers. When you are not directly transacting with Stripe, but we receive your Personal Data to provide Services to a Business User, including when you make a purchase from a Business User on a Stripe Checkout page or receive payments from a Business User, we refer to you as an “End Customer.” Representatives. When you are acting on behalf of an existing or potential Business User—perhaps as a company founder, account administrator for a Business User, or a recipient of an employee credit card from a Business User via Stripe Issuing—we refer to you as a “Representative.” Visitors. When you interact with Stripe by visiting a Site without being logged into a Stripe account, or when your interaction with Stripe does not involve you being an End User, End Customer, or Representative, we refer to you as a “Visitor.” For example, you are a Visitor when you send a message to Stripe asking for more information about our Services. In this Policy, “Transaction Data” refers to data collected and used by Stripe to facilitate transactions you request. Some Transaction Data is Personal Data and may include: your name, email address, contact number, billing and shipping address, payment method information (like credit or debit card number, bank account details, or payment card image chosen by you), merchant and location details, amount and date of purchase, and in some instances, information about what was purchased. 1. Personal Data that we collect and how we use and share it 2. More ways we collect, use and share Personal Data 3. Legal bases for processing data 4. Your rights and choices 5. Security and retention 6. International data transfers 7. Updates and notifications 8. Jurisdiction-specific provisions 9. Contact us 10. US Consumer Privacy Notice 1. Personal Data we collect and how we use and share it Our collection and use of Personal Data differs based on whether you are an End User, End Customer, Representative, or Visitor, and the specific Service that you are using. For example, if you&#39;re a sole proprietor who wants to use our Business Services, we may collect your Personal Data to onboard your business; at the same time, you might also be an End Customer if you&#39;ve bought goods from another Business User that is using our Services for payment processing. You could also be an End User if you used our End User Service, such as Link, for those transactions. 1.1 End Users We provide End User Services when we provide the Services directly to you for your personal use (e.g., Link). Additional details regarding our collection, usage, and sharing of End User Personal Data, including the legal bases we rely on for processing such data, can be found in our Privacy Center . a. Personal Data we collect about End Users Using Link or Connecting your bank account . Stripe offers a service called &quot;Link,&quot; which allows you to create an account and store information for future interactions with Stripe’s Services and Business Users. You may save a number of different kinds of Personal Data using Link. For instance, you may save your name, payment method details, contact information, and address to conveniently use saved information to pay for transactions across our Business Users. When you choose to pay with Link, we will also collect Transaction Data associated with your transactions. Learn More . You can also share and save bank account details to your Link account using Stripe’s Financial Connections product. When you use Financial Connections, Stripe will periodically collect and process your account information (such as bank account owner information, account balances, account number and details, account transactions, and, in some cases, log-in credentials). You can ask us to cease the collection of such data at any time. Learn More . You can also use your Link account to access services provided by Stripe’s partner businesses, such as Buy Now, Pay Later (BNPL) services or crypto wallet services. In these situations, we will collect and share additional Personal Data with partner businesses to facilitate your use of such services. You can save this information to your Link account to access similar services in the future. We may also receive certain information about you from partner businesses in connection with the services they provide. Learn More . Finally, you can use Link to store your identity documents (such as your driver’s license) so that you can share them in future interactions with Stripe or its Business Users. Paying Stripe . When you purchase goods or services directly from Stripe, we receive your Transaction Data. For instance, when you make a payment to Stripe Climate, we collect information about the transaction, as well as your contact and payment method details. Identity/Verification Services . We offer an identity verification service that automates the comparison of your identity document (such as a driver’s license) with your image (such as a selfie). You can separately consent to us using your biometric data to enhance our verification technology, with the option to revoke your consent at any time. Learn More . More . For further information about other types of Personal Data that we may collect about End Users, including about your online activity and your engagement with our End User Services, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Users Services . We use and share your Personal Data to provide the End User Services to you, which includes support, personalization (such as language preferences and setting choices), and communication about our End User Services (such as communicating Policy updates and information about our Services). For example, Stripe may use cookies and similar technologies or the data you provide to our Business Users (such as when you input your email address on a Business User’s website) to recognize you and help you use Link when visiting our Business User’s website. Learn more about how we use cookies and similar technologies in Stripe’s Cookie Policy . Our Business Users. When you use Link to make payments with our Business Users, we share your Personal Data, including name, contact information, payment method details, and Transaction Data with those Business Users. Learn More . You can also direct Stripe to share your saved bank account information and identity documents with Business Users you do business with. Once we share your Personal Data with Business Users, we may process that Personal Data as a Data Processor for those Business Users, as detailed in Section 1.2 of this Policy.  You should consult the privacy policies of the Business Users’ you do business with for information on how they use the information shared with them. Fraud Detection and Loss Prevention . We use your Personal Data collected across our Services to detect fraud and prevent financial losses for you, us, and our Business Users and Financial Partners, including detecting unauthorized purchases. We may provide Business Users and Financial Partners, including those that use our fraud prevention-related Business Services (such as Stripe Radar), with Personal Data about you (including your attempted transactions) so that they can assess the fraud or loss risk associated with the transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Advertising . Where permitted by applicable law, we may use your Personal Data, including Transaction Data, to assess your eligibility for, and offer you, other End User Services or promote existing End User Services, including through co-marketing with partners such as Stripe Business Users. Learn more . Subject to applicable law, including any consent requirements, we use and share End User Personal Data with third party partners to allow us to advertise our End User Services to you, including through interest-based advertising, and to track the efficacy of such ads. We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third-party partners, such as advertising partners, analytics providers, and social networks, who assist us in advertising our Services to you. Learn more . More . For further information about ways we may use and share End Users&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.2 End Customers Stripe provides various Business Services to our Business Users, which include processing in-person or online payments or payouts for those Business Users. When acting as a service provider—also referred to as a Data Processor—for a Business User, we process End Customer Personal Data in accordance with our agreement with the Business User and the Business User&#39;s lawful instructions. This happens, for example, when we process a payment for a Business User because you purchased a product from them, or when the Business User asks us to send you funds. Business Users are responsible for ensuring that the privacy rights of their End Customers are respected, including obtaining appropriate consents and making disclosures about their own data collection and use associated with their products and services. If you&#39;re an End Customer, please refer to the privacy policy of the Business User you&#39;re doing business with for its privacy practices, choices, and controls. We provide more comprehensive information about our collection, use, and sharing of End Customer Personal Data in our Privacy Center , including the legal bases we rely on for processing your Personal Data. a. Personal Data we collect about End Customers Transaction Data . If you&#39;re an End Customer making payments to, receiving refunds or payments from, initiating a purchase or donation, or otherwise transacting with our Business User, whether in-person or online, we receive your Transaction Data. We may also receive your transaction history with the Business User. Learn More . Additionally, we may collect information entered into a checkout form even if you opt not to complete the form or transaction with the Business User. Learn More . A Business User who uses Stripe’s Terminal Service to provide its goods or services to End Customers may use the Terminal Service to collect End Customer Personal Data (like your name, email, phone number, address, signature, or age) in accordance with its own privacy policy. Identity/Verification Information . Stripe provides a verification and fraud prevention Service that our Business Users can use to verify Personal Data about you, such as your authorization to use a particular payment method. During the process, you’d be asked to share with us certain Personal Data (like your government ID and selfie for biometric verification, Personal Data you input, or Personal Data that is apparent from the physical payment method like a credit card image). To protect against fraud and determine if somebody is trying to impersonate you, we may cross-verify this data with information about you that we&#39;ve collected from Business Users, Financial Partners, business affiliates, identity verification services, publicly available sources, and other third party service providers and sources. Learn More . More . For further information about other types of Personal Data that we may collect about End Customers, including about your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of End Customers To provide our Business Services to our Business Users, we use and share End Customers&#39; Personal Data with them. Where allowed, we also use End Customers&#39; Personal Data for Stripe’s own purposes such as enhancing security, improving and offering our Business Services, and preventing fraud, loss, and other damages, as described further below. Payment processing and accounting . We use your Transaction Data to deliver Payment-related Business Services to Business Users — including online payment transactions processing, sales tax calculation, and invoice, bill, and dispute handling — and to help them determine their revenue, settle their bills, and execute accounting tasks. Learn More . We may also use your Personal Data to provide and improve our Business Services. During payment transactions, your Personal Data is shared with various entities in connection with your transaction. As a service provider or data processor, we share Personal Data to enable transactions as directed by Business Users. For instance, when you choose a payment method for your transaction, we may share your Transaction Data with your bank or other payment method provider, including as necessary to authenticate you, Learn More , process your transaction, prevent fraud, and handle disputes. The Business User you choose to do business with also receives Transaction Data and might share the data with others. Please review your merchant’s, bank’s, and payment method provider’s privacy policies for more information about how they use and share your Personal Data. Financial services . Certain Business Users leverage our Services to offer financial services to you via Stripe or our Financial Partners. For example, a Business User may issue a card product with which you can purchase goods and services. Such cards could carry the brand of Stripe, the bank partner, and/or the Business User. In addition to any Transaction Data we may generate or receive when these cards are used for purchases, we also collect and use your Personal Data to provide and manage these products, including assisting our Business Users in preventing misuse of the cards. Please review the privacy policies of the Business User and, if applicable, our bank partners associated with the financial service (the brands of which may be shown on the card) for more information. Identity/Verification services . We use Personal Data about your identity to perform verification services for Stripe or for the Business Users that you are transacting with, to prevent fraud, and to enhance security. For these purposes we may use Personal Data you provide directly or Personal Data we obtain from our service providers, including for phone verification. Learn More . If you provide a selfie along with an image of your identity document, we may employ biometric technology to compare and calculate whether they match and verify your identity. Learn More . Fraud detection and loss prevention. We use your Personal Data collected across our Services to detect and prevent losses for you, us, our Business Users, and Financial Partners. We may provide Business Users and Financial Partners, including those using our fraud prevention-related Business Services, with your Personal Data (including your attempted transactions) to help them assess the fraud or loss risk associated with a transaction. Learn more about how we may use technology to assess the fraud risk associated with an attempted transaction and what information we share with Business Users and Financial Partners here and here . Our Business Users (and their authorized third parties). We share End Customers&#39; Personal Data with their respective Business Users and parties directly authorized by those Business Users to receive such data. Here are common examples of such sharing: When a Business User instructs Stripe to provide another Business User with access to its Stripe account, including data related to its End Customers, via Stripe Connect. Sharing information that you have provided to us with a Business User so that we can send payments to you on behalf of that Business User. Sharing information, documents, or images provided by an End Customer with a Business User when the latter uses Stripe Identity, our identity verification Service, to verify the identity of the End Customer.  The Business Users you choose to do business with may further share your Personal Data with third parties (like additional third party service providers other than Stripe). Please review the Business User’s privacy policy for more information. Advertising by Business Users . If you initiate a purchasing process with a Business User, the Business User receives your Personal Data from us in connection with our provision of Services even if you don&#39;t finish your purchase. The Business User may use your Personal Data to market and advertise their products or services, subject to the terms of their privacy policy. Please review the Business User’s privacy policy for more information, including your rights to stop their use of your Personal Data for marketing purposes. More . For further information about additional ways by which we may use and share End Customers&#39; Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.3 Representatives We collect, use, and share Personal Data from Representatives of Business Users (for example, business owners) to provide our Business Services. For more information about how we collect, use, and share Personal Data from Representatives, as well as the legal bases we rely on for processing such Personal Data, please visit our Privacy Center . a. Personal Data we collect about Representatives  Registration and contact information . When you register for a Stripe account for a Business User (including incorporation of a Business), we collect your name and login credentials. If you register for or attend an event organized by Stripe or sign up to receive Stripe communications, we collect your registration and profile data. As a Representative, we may collect your Personal Data from third parties, including data providers, to advertise, market, and communicate with you as detailed further in the More ways we collect, use, and share Personal Data section below. We may also link a location with you to tailor the Services or information effectively to your needs. Learn More . Identification Information . As a current or potential Business User, an owner of a Business User, or a shareholder, officer, or director of a Business User, we need your contact details, such as name, postal address, telephone number, and email address, to fulfill our Financial Partner and regulatory requirements, verify your identity, and prevent fraudulent activities and harm to the Stripe platform. We collect your Personal Data, such as ownership interest in the Business User, date of birth, government-issued identity documents, and associated identifiers, as well as any history of fraud or misuse, directly from you and/or from publicly available sources, third parties such as credit bureaus and via the Services we provide. Learn More . You may also choose to provide us with bank account information. More . For further information about other types of Personal Data that we may collect about Representatives, including your online activity, please see the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Representatives  We typically use the Personal Data of Representatives to provide the Business Services to the corresponding Business Users. The ways we use and share this data are further described below. Business Services . We use and share Representatives’ Personal Data with Business Users to provide the Services requested by you or the Business User you represent. In some instances, we may have to submit your Personal Data to a government entity to provide our Business Services, for purposes such as the incorporation of a business, or calculating and paying applicable sales tax. For our tax-related Business Services, we may use your Personal Data to prepare tax documents and file taxes on behalf of the Business User you represent. For our Atlas business incorporation Services, we may use your Personal Data to submit forms to the IRS on your behalf and file documents with other government authorities, such as articles of incorporation in your state of incorporation. We share Representatives’ Personal Data with parties authorized by the corresponding Business User, such as Financial Partners servicing a financial product, or third party apps or services the Business User chooses to use alongside our Business Services. Here are common examples of such sharing: Payment method providers, like Visa or WeChat Pay, require information about Business Users and their Representatives who accept their payment methods. This information is typically required during the onboarding process or for processing transactions and handling disputes for these Business Users. Learn More . A Business User may authorize Stripe to share your Personal Data with other Business Users to facilitate the provision of Services through Stripe Connect. The use of Personal Data by a third party authorized by a Business User is subject to the third party’s privacy policy. If you are a Business User who has chosen a name that includes Personal Data (for example, a sole proprietorship or family name in a company name), we will use and share such information for the provision of our Services in the same way we do with any company name. This may include, for example, displaying it on receipts and other transaction-identifying descriptions. Fraud detection and loss prevention . We use Representatives’ Personal Data to identify and manage risks that our Business Services might be used for fraudulent activities causing losses to Stripe, End Users, End Customers, Business Users, Financial Partners, and others. We also use information about you obtained from publicly available sources, third parties like credit bureaus and from our Services to address such risks, including to identify patterns of misuse and monitor for terms of service violations. Stripe may share Representatives&#39; Personal Data with Business Users, our Financial Partners, and third party service providers, including phone verification providers, Learn More , to verify the information provided by you and identify risk indicators. Learn More . We also use and share Representatives&#39; Personal Data to conduct due diligence, including conducting anti-money laundering and sanctions screening in accordance with applicable law. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Representatives’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment. However, we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . We may also use your Personal Data, including your Stripe account activity, to evaluate your eligibility for and offer you Business Services or promote existing Business Services. Learn more . More . For further information about additional ways by which we may use and share Representatives’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 1.4 Visitors We collect, use, and share the Personal Data of Visitors. More details about how we collect, use, and share Visitors’ Personal Data, along with the legal bases we rely on for processing such Personal Data, can be found in our Privacy Center . a. Personal Data we collect about Visitors When you browse our Sites, we receive your Personal Data, either provided directly by you or collected through our use of cookies and similar technologies. See our Cookie Policy for more information. If you opt to complete a form on the Site or third party websites where our advertisements are displayed (like LinkedIn or Facebook), we collect the information you included in the form. This may include your contact information and other information pertaining to your questions about our Services. We may also associate a location with your visit. Learn More . More . Further details about other types of Personal Data that we may collect from Visitors, including your online activity, can be found in the More ways we collect, use, and share Personal Data section below. b. How we use and share Personal Data of Visitors Personalization . We use the data we collect about you using cookies and similar technologies to measure engagement with the content on the Sites, improve relevancy and navigation, customize your experience (such as language preference and region-specific content), and curate content about Stripe and our Services that&#39;s tailored to you. For instance, as not all of our Services are available globally, we may customize our responses based on your region. Advertising . Where permitted by applicable law, and where required with your consent, we use and share Visitors’ Personal Data with third parties, including Partners , so we can advertise and market our Services and Partner integrations. Subject to applicable law, including any consent requirements, we may advertise through interest-based advertising and track the efficacy of such ads. See our Cookie Policy . We do not transfer your Personal Data to third parties in exchange for payment, but we may provide your data to third party partners, like advertising partners, analytics providers, and social networks, who assist us in advertising our Services. Learn more . Engagement . As you interact with our Sites, we use the information we collect about and through your devices to provide opportunities for further interactions, such as discussions about Services or interactions with chatbots, to address your questions. More . For more information about additional ways we may use and share Visitors’ Personal Data, please see the More ways we collect, use, and share Personal Data section below. 2. More ways we collect, use, and share Personal Data In addition to the ways described above, we also process your Personal Data as follows: a. Collection of Personal Data Online Activity . Depending on the Service used and how our Business Services are implemented by the Business Users, we may collect information related to: The devices and browsers you use across our Sites and third party websites, apps, and other online services (“Third Party Sites”). Usage data associated with those devices and browsers and your engagement with our Services, including data elements like IP address, plug-ins, language preference, time spent on Sites and Third Party Sites, pages visited, links clicked, payment methods used, and the pages that led you to our Sites and Third Party Sites. We also collect activity indicators, such as mouse activity indicators, to help us detect fraud. Learn More . See also our Cookie Policy . Communication and Engagement Information . We also collect information you choose to share with us through various channels, such as support tickets, emails, or social media. If you respond to emails or surveys from Stripe, we collect your email address, name, and any other data you opt to include in your email or responses. If you engage with us over the phone, we collect your phone number and any other information you might provide during the call. Calls with Stripe or Stripe representatives may be recorded. Learn More . Additionally, we collect your engagement data, like your registration for, attendance at, or viewing of Stripe events and any other interactions with Stripe personnel. Forums and Discussion Groups . If our Sites allow posting of content, we collect Personal Data that you provide in connection with the post. b. Use of Personal Data.  Besides the use of Personal Data described above, we use Personal Data in the ways listed below: Analyzing, Improving, and Developing our Services . We collect and process Personal Data throughout our various Services, whether you are an End User, End Customer, Representative, or Visitor, to improve our Services, develop new Services, and support our efforts to make our Services more efficient, relevant, and useful to you. Learn More .  We may use Personal Data to generate aggregate and statistical information to understand and explain how our Services are used.  Examples of how we use Personal Data to analyze, improve, and develop our products and services include: Using analytics on our Sites, including as described in our Cookie Policy, to help us understand your use of our Sites and Services and diagnose technical issues.  Training artificial intelligence models to power our Services and protect against fraud and other harm. Learn more . Analyzing and drawing inferences from Transaction Data to reduce costs, fraud, and disputes and increase authentication and authorization rates for Stripe and our Business Users.  Communications . We use the contact information we have about you to deliver our Services, Learn More , which may involve sending codes via SMS for your authentication. Learn More . If you are an End User, Representative, or Visitor, we may communicate with you using the contact information we have about you to provide information about our Services and our affiliates’ services, invite you to participate in our events, surveys, or user research, or otherwise communicate with you for marketing purposes, in compliance with applicable law, including any consent or opt-out requirements. For example, when you provide your contact information to us or when we collect your business contact details through participation at trade shows or other events, we may use this data to follow up with you regarding an event, provide information requested about our Services, and include you in our marketing information campaigns. Where permitted under applicable law, we may record our calls with you to provide our Services, comply with our legal obligations, perform research and quality assurance, and for training purposes. Social Media and Promotions . If you opt to submit Personal Data to engage in an offer, program, or promotion, we use the Personal Data you provide to manage the offer, program, or promotion. We also use the Personal Data you provide, along with the Personal Data you make available on social media platforms, for marketing purposes, unless we are not permitted to do so. Fraud Prevention and Security . We collect and use Personal Data to help us identify and manage activities that could be fraudulent or harmful across our Services, enable our fraud detection Business Services, and secure our Services and transactions against unauthorized access, use, alteration or misappropriation of Personal Data, information, and funds. As part of the fraud prevention, detection, security monitoring, and compliance efforts for Stripe and its Business Users, we collect information from publicly available sources, third parties (such as credit bureaus), and via the Services we offer. In some instances, we may also collect information about you directly from you, or from our Business Users, Financial Partners, and other third parties for the same purposes. Furthermore, to protect our Services, we may receive details such as IP addresses and other identifying data about potential security threats from third parties. Learn More . Such information helps us verify identities, conduct credit checks where lawfully permitted, and prevent fraud. Additionally, we might use technology to evaluate the potential risk of fraud associated with individuals seeking to procure our Business Services or arising from attempted transactions by an End Customer or End User with our Business Users or Financial Partners. Compliance with Legal Obligations . We use Personal Data to meet our contractual and legal obligations related to anti-money laundering, Know-Your-Customer (&quot;KYC&quot;) laws, anti-terrorism activities, safeguarding vulnerable customers, export control, and prohibition of doing business with restricted persons or in certain business fields, among other legal obligations. For example, we may monitor transaction patterns and other online signals and use those insights to identify fraud, money laundering, and other harmful activity that could affect Stripe, our Financial Partners, End Users, Business Users and others. Learn More . Safety, security, and compliance for our Services are key priorities for us, and collecting and using Personal Data is crucial to this effort. Minors . Our Services are not directed to children under the age of 13, and we request that they do not provide Personal Data to seek Services directly from Stripe. In certain jurisdictions, we may impose higher age limits as required by applicable law. c. Sharing of Personal Data.  Besides the sharing of Personal Data described above, we share Personal Data in the ways listed below: Stripe Affiliates . We share Personal Data with other Stripe-affiliated entities for purposes identified in this Policy. Service Providers or Processors . In order to provide, communicate, market, analyze, and advertise our Services, we depend on service providers. These providers offer critical services such as providing cloud infrastructure, conducting analytics for the assessment of the speed, accuracy, and/or security of our Services, verifying identities, identifying potentially harmful activity, and providing customer service and audit functions. We authorize these service providers to use or disclose the Personal Data we make available to them to perform services on our behalf and to comply with relevant legal obligations. We require these service providers to contractually commit to security and confidentiality obligations for the Personal Data they process on our behalf. The majority of our service providers are based in the European Union, the United States of America, and India. Learn More . Financial Partners . We share Personal Data with certain Financial Partners to provide Services to Business Users and offer certain Services in conjunction with these Financial Partners. For instance, we may share certain Personal Data, such as payment processing volume, loan repayment data, and Representative contact information, with institutional investors and lenders who purchase loan receivables or provide financing related to Stripe Capital.  Learn More . Others with Consent . In some situations, we may not offer a service, but instead refer you to others (like professional service firms that we partner with to deliver the Atlas Service). In these instances, we will disclose the identity of the third party and the information to be shared with them, and seek your consent to share the information. Corporate Transactions . If we enter or intend to enter a transaction that modifies the structure of our business, such as a reorganization, merger, sale, joint venture, assignment, transfer, change of control, or other disposition of all or part of our business, assets, or stock, we may share Personal Data with third parties in connection with such transaction. Any other entity that buys us or part of our business will have the right to continue to use your Personal Data, subject to the terms of this Policy. Compliance and Harm Prevention . We share Personal Data when we believe it is necessary to comply with applicable law; to abide by rules imposed by Financial Partners in connection with the use of their payment method; to enforce our contractual rights; to secure and protect the Services, rights, privacy, safety, and property of Stripe, you, and others, including against malicious or fraudulent activity; and to respond to valid legal requests from courts, law enforcement agencies, regulatory agencies, and other public and government authorities, which may include authorities outside your country of residence. 3. Legal bases for processing Personal Data For purposes of the General Data Protection Regulation (GDPR) and other applicable data protection laws, we rely on a number of legal bases to process your Personal Data. Learn More . For some jurisdictions, there may be additional legal bases, which are outlined in the Jurisdiction-Specific Provisions section below. a. Contractual and Pre-Contractual Business Relationships . We process Personal Data to enter into business relationships with prospective Business Users and End Users and fulfill our respective contractual obligations with them. These processing activities include: Creation and management of Stripe accounts and Stripe account credentials, including the assessment of applications to initiate or expand the use of our Services; Creation and management of Stripe Checkout accounts; Accounting, auditing, and billing activities; and Processing of payments and related activities, which include fraud detection, loss prevention, transaction optimization, communications about such payments, and related customer service activities. b. Legal Compliance . We process Personal Data to verify the identities of individuals and entities to comply with obligations related to fraud monitoring, prevention, and detection, laws associated with identifying and reporting illicit and illegal activities, such as those under the Anti-Money Laundering (&quot;AML&quot;) and Know-Your-Customer (“KYC&quot;) regulations, and financial reporting obligations. For example, we may be required to record and verify a Business User’s identity to comply with regulations designed to prevent money laundering, fraud, and financial crimes. These legal obligations may require us to report our compliance to third parties and subject ourselves to third party verification audits. c. Legitimate Interests . Where permitted under applicable law, we rely on our legitimate business interests to process your Personal Data. The following list provides an example of the business purposes for which we have a legitimate interest in processing your data: Detection, monitoring, and prevention of fraud and unauthorized payment transactions; Mitigation of financial loss, claims, liabilities or other harm to End Customers, End Users, Business Users, Financial Partners, and Stripe; Determination of eligibility for and offering new Stripe Services ( Learn More ); Response to inquiries, delivery of Service notices, and provision of customer support; Promotion, analysis, modification, and improvement of our Services, systems, and tools, as well as the development of new products and services, including enhancing the reliability of the Services; Management, operation, and improvement of the performance of our Sites and Services, through understanding their effectiveness and optimizing our digital assets; Analysis and advertisement of our Services, and related improvements; Aggregate analysis and development of business intelligence that enable us to operate, protect, make informed decisions about, and report on the performance of our business; Sharing of Personal Data with third party service providers that offer services on our behalf and business partners that help us in operating and improving our business ( Learn More) ; Enabling network and information security throughout Stripe and our Services; and Sharing of Personal Data among our affiliates. d. Consent . We may rely on consent or explicit consent to collect and process Personal Data regarding our interactions with you and the provision of our Services such as Link, Financial Connections, Atlas, and Identity. When we process your Personal Data based on your consent, you have the right to withdraw your consent at any time, and such a withdrawal will not impact the legality of processing performed based on the consent prior to its withdrawal. e. Substantial Public Interest . We may process special categories of Personal Data, as defined by the GDPR, when such processing is necessary for reasons of substantial public interest and consistent with applicable law, such as when we conduct politically-exposed person checks. We may also process Personal Data related to criminal convictions and offenses when such processing is authorized by applicable law, such as when we conduct sanctions screening to comply with AML and KYC obligations. f. Other valid legal bases . We may process Personal Data further to other valid legal bases as recognized under applicable law in specific jurisdictions. See the Jurisdiction-specific provisions section below for more information. 4. Your rights and choices Depending on your location and subject to applicable law, you may have choices regarding our collection, use, and disclosure of your Personal Data: a. Opting out of receiving electronic communications from us If you wish to stop receiving marketing-related emails from us, you can opt-out by clicking the unsubscribe link included in such emails or as described here . We&#39;ll try to process your request(s) as quickly as reasonably practicable. However, it&#39;s important to note that even if you opt out of receiving marketing-related emails from us, we retain the right to communicate with you about the Services you receive (like support and important legal notices) and our Business Users might still send you messages or instruct us to send you messages on their behalf. b. Your data protection rights Depending on your location and subject to applicable law, you may have the following rights regarding the Personal Data we process about you as a data controller: The right to request confirmation of whether Stripe is processing Personal Data associated with you, the categories of personal data it has processed, and the third parties or categories of third parties with which your Personal Data is shared; The right to request access to the Personal Data Stripe processes about you ( Learn More ); The right to request that Stripe rectify or update your Personal Data if it&#39;s inaccurate, incomplete, or outdated; The right to request that Stripe erase your Personal Data in certain circumstances as provided by law ( Learn More ); The right to request that Stripe restrict the use of your Personal Data in certain circumstances, such as while Stripe is considering another request you&#39;ve submitted (for instance, a request that Stripe update your Personal Data); The right to request that we export the Personal Data we hold about you to another company, provided it&#39;s technically feasible; The right to withdraw your consent if your Personal Data is being processed based on your previous consent; The right to object to the processing of your Personal Data if we are processing your data based on our legitimate interests; unless there are compelling legitimate grounds or the processing is necessary for legal reasons, we will cease processing your Personal Data upon receiving your objection ( Learn More );  The right not to be discriminated against for exercising these rights; and  The right to appeal any decision by Stripe relating to your rights by contacting Stripe’s Data Protection Officer (“DPO”) at dpo@stripe.com , and/or relevant regulatory agencies. You may have additional rights, depending on applicable law, over your Personal Data. For example, see the Jurisdiction-specific provisions section under United States below. c. Process for exercising your data protection rights  To exercise your data protection rights related to Personal Data we process as a data controller, visit our Privacy Center or contact us as outlined below.  For Personal Data we process as a data processor, please reach out to the relevant data controller (Business User) to exercise your rights. If you contact us regarding your Personal Data we process as a data processor, we will refer you to the relevant data controller to the extent we are able to identify them.  5. Security and Retention We make reasonable efforts to provide a level of security appropriate to the risk associated with the processing of your Personal Data. We maintain organizational, technical, and administrative measures designed to protect the Personal Data covered by this Policy from unauthorized access, destruction, loss, alteration, or misuse. Learn More . Unfortunately, no data transmission or storage system can be guaranteed to be 100% secure.   We encourage you to assist us in protecting your Personal Data. If you hold a Stripe account, you can do so by using a strong password, safeguarding your password against unauthorized use, and avoiding using identical login credentials you use for other services or accounts for your Stripe account. If you suspect that your interaction with us is no longer secure (for instance, you believe that your Stripe account&#39;s security has been compromised), please contact us immediately. We retain your Personal Data for as long as we continue to provide the Services to you or our Business Users, or for a period in which we reasonably foresee continuing to provide the Services. Even after we stop providing Services directly to you or to a Business User that you&#39;re doing business with, and even after you close your Stripe account or complete a transaction with a Business User, we may continue to retain your Personal Data to: Comply with our legal and regulatory obligations; Enable fraud monitoring, detection, and prevention activities; and Comply with our tax, accounting, and financial reporting obligations, including when such retention is required by our contractual agreements with our Financial Partners (and where data retention is mandated by the payment methods you&#39;ve used). In cases where we keep your Personal Data, we do so in accordance with any limitation periods and record retention obligations imposed by applicable law. Learn More . 6. International Data Transfers As a global business, it&#39;s sometimes necessary for us to transfer your Personal Data to countries other than your own, including the United States. These countries might have data protection regulations that are different from those in your country. When transferring data across borders, we take measures to comply with applicable data protection laws related to such transfer. In certain situations, we may be required to disclose Personal Data in response to lawful requests from officials, such as law enforcement or security authorities. Learn More . If you are located in the European Economic Area (“EEA”), the United Kingdom (&quot;UK&quot;), or Switzerland, please refer to our Privacy Center for additional details. When a data transfer mechanism is mandated by applicable law, we employ one or more of the following: Transfers to certain countries or recipients that are recognized as having an adequate level of protection for Personal Data under applicable law.   EU Standard Contractua
2026-01-13T08:49:19
https://www.git-tower.com/learn/git/videos/introduction-to-branches?channel=gui
Introduction to Branches | Learn Git Video Course Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Learn Version Control with Git Our beginner-friendly video course teaches you the foundations of Git - and takes you from novice to master! 6 min episode 10 of 24 Introduction to Branches What are branches? What is so special about the branching model (compared to SVN)? Why should you use them? Learn More Chapter Branching can Change Your Life in our online book. Previous Video &laquo; Ignoring Files Next Video Creating & Checking Out Branches &raquo; Get our popular Git Cheat Sheet for free! You'll find the most important commands on the front and helpful best practice tips on the back. Over 100,000 developers have downloaded it to make Git a little bit easier. New content and updates Yes, send me the cheat sheet and sign me up for the Tower newsletter. It's free, it's sent infrequently, you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice &nbsp; | &nbsp; Privacy Policy &nbsp; | &nbsp; Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://design.forem.com/pixel_mosaic
Pixel Mosaic - Design Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Design Community Close Follow User actions Pixel Mosaic We build, design &amp; ship web experiences | UI/UX + Web Dev | Sharing tips, tools &amp; case studies for developers. Joined Joined on  Oct 4, 2025 More info about @pixel_mosaic Badges Writing Debut Awarded for writing and sharing your first DEV post! Continue sharing your work to earn the 4 Week Writing Streak Badge. Got it Close Post 1 post published Comment 1 comment written Tag 0 tags followed Figma vs Adobe XD: Which One Should You Learn in 2025? Pixel Mosaic Pixel Mosaic Pixel Mosaic Follow Oct 14 &#39;25 Figma vs Adobe XD: Which One Should You Learn in 2025? # uidesign # careeradvice # adobesuite # figma Comments Add Comment 2 min read Want to connect with Pixel Mosaic? Create an account to connect with Pixel Mosaic. You can also sign in below to proceed if you already have an account. Create Account Already have an account? Sign in loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Design Community — Web design, graphic design and everything in-between Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Design Community &copy; 2016 - 2026. We&#39;re a place where designers share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://dev.to/willholmes/tailwindcss-vs-styled-components-in-reactjs-188j#so-who-takes-home-the-trophy
TailwindCSS vs Styled-Components in ReactJs - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Add reaction Like Unicorn Exploding Head Raised Hands Fire Jump to Comments Save Boost More... Copy link Copy link Copied to Clipboard Share to X Share to LinkedIn Share to Facebook Share to Mastodon Share Post via... Report Abuse Will Holmes Posted on Jan 10, 2021 &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; TailwindCSS vs Styled-Components in ReactJs # javascript # css # beginners # react A few days ago I posted a new blog post in which I detailed my experience with styled-components, and how it was a nice way of incorporating dynamic styling into the js domain staying away from CSS files. I later found out about yet another way to incorporate styling into your applications... that was TailwindCSS. I had seen some conversation around this before as well as a lot of videos and posts mentioning TailwindCSS but thought nothing more of it. So seeing as I had been told of it again and also wanted to try it out so I could compare my experiences. I decided to build a website utilizing Tailwind for styling. What should I know as basics? To get you started and to understand this read it's important to know that: TailwindCSS is a package full of pre-built classes to style your components however, they are so flexible that you can do anything with them! You do not need to know CSS to use TailwindCSS. TailwindCSS uses a lot of abbreviations i.e. (pb is padding-bottom), so it's important that you read the documentation and use its search function if you are ever unsure. Tailwind... more like bootstrap!? I have to say my initial impressions of Tailwind are positive. It takes a lot of the semantics of bootstrap and has almost extended them so much that you never have to use media queries in direct CSS to toggle differences in styling. Instead, you would do something like the below: &lt; div class = "pb-10 sm:pb-12 md:pb-8 lg:pb-4" &gt; Hello world &lt;/ div &gt; Enter fullscreen mode Exit fullscreen mode To those who have used styling frameworks before such as Material UI, Bootstrap, etc. You will understand the usages of these different media breakpoints ( sm, md, lg, etc. ). These are essentially saying ' When my device size is lower than small apply a padding-bottom of 10. When my device size is small (sm) or greater apply a padding-bottom of 12. When my device size is medium (md) or greater apply a padding-bottom of 8. When my device size is large (lg) or greater apply a padding-bottom of 4 '. I must say, it took me a while to really understand the technique of saying there is no 'xs' breakpoint which is what you would typically find in bootstrap for example. Simply that any device which is lower than sm inherits tailwind classes without a media breakpoint like the above 'pb-10'. But hang on... that looks like a lot of classes? That's true and it's something that did put a bit of a dampener on my view of the framework. With having so many utility classes being added on to each element it's very easy to end up with huge class property values. This can easily cause things like useless classes remaining on elements that aren't necessarily needed etc. A good package to use is the classNames package that will combine class names together. Allowing you to format your elements a little cleaner. How does TailwindCSS compare to styled-components? Something I really liked about styled-components , was how simple it made your components look. Being able to create a styled div and reference it like: const Wrapper = styled . div ` padding-bottom: 10px; @media (min-width: 768px) { padding-bottom: 20px; } ` ; const TestComponent = () =&gt; ( &lt; Wrapper &gt; Hello world! &lt;/ Wrapper &gt; ); Enter fullscreen mode Exit fullscreen mode This to me, keeps component code so clean and concise allowing the components to focus on logic and not looks. You could even go one step further, and abstract your stylings out to a separate js file within your component domain. However, let's see what this looks like in TailwindCSS : const TestComponent = () =&gt; ( &lt; div className = "pb-10 md:pb-20" &gt; Hello World! &lt;/ div &gt; ); Enter fullscreen mode Exit fullscreen mode As you can see here, TailwindCSS actually reduces the number of lines of code we have to write to achieve the same goal. This is its whole intention with the utility class approach. It really does simplify writing styled elements. However, this is all well and good for our elements with only a few styles. Let's take a look at the comparisons of more heavily styled components: styled-components const Button = styled . button ` font-size: 1rem; margin: 1rem; padding: 1rem 1rem; @media (min-width: 768px) { padding: 2rem 2rem; } border-radius: 0.25rem; border: 2px solid blue; background-color: blue; color: white; ` ; const TestComponent = () =&gt; ( &lt;&gt; &lt; Button &gt; Hello world! &lt;/ Button &gt; &lt;/&gt; ); Enter fullscreen mode Exit fullscreen mode TailwindCSS const TestComponent = () =&gt; ( &lt; div className = "text-base mg-1 pt-1 pr-1 md:pt-2 md:pr-2 rounded border-solid border-2 border-light-blue-500 bg-blue-500 text-white-500" &gt; Hello World! &lt;/ div &gt; ); Enter fullscreen mode Exit fullscreen mode As you can see from the above comparisons, styled-components really does take the lead now as our component has grown in styling rules. Tailwind's implementation is so verbose in classNames and without using a package like classNames it really makes our lines a lot longer than they should be. This is one of the biggest downfalls for Tailwind in my opinion. Especially if you are working on a project with multiple developers, the styled-components approach allows you to easily read what stylings the Button component has. In comparison to the Tailwind approach, you would most likely have to lookup in the docs some of those util classes to understand precise values. Compare this example to the first example. Tailwind just screamed simplicity. This follow up example just consists of complexity and a high risk of spaghetti code. It only takes multiple developers to be working on a few components at the same time for styles to be easily ruined/disrupted and then spending time removing certain util classes to find out the root cause. In comparison to the styled-components way of doing things where we still rely on our raw CSS changes it is a lot easier to manage change in my opinion. So, who takes home the trophy? Well... to be honest, I wouldn't say either of these two trumps each other. Both have their benefits and disadvantages which have been demonstrated in this article. I'd say if you are looking for a quick way to style a website or single pager with not much complexity; then TailwindCSS might be best for you. Mainly due to the amount of utility you get out of the box to style your classes. However, if you are looking for a longer-term project that can be more easily maintained. I would advise styled-components due to their more 'robust' feel to it when maintaining styles in my opinion. However, I am not an expert in either of them, I have simply just been building in both of these technologies and these are my initial thoughts. Useful Resources: TailwindCSS: https://tailwindcss.com/ https://www.tailwindtoolbox.com/ https://tailwindcomponents.com/ Styled-Components https://styled-components.com/ Thank you for reading, let me know in the comments below if you have used either of these or maybe both and how you found using them! 👇 Top comments (33) Subscribe Personal Trusted User Create template Templates let you quickly answer FAQs or store snippets for re-use. Submit Preview Dismiss Collapse Expand &nbsp; Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 &bull; Jan 10 &#39;21 &bull; Edited on Jan 10 &bull; Edited Dropdown menu Copy link Hide Neither for me. Tho if I have to choose, I would go for styled-components. The reason being, Tailwind is like an entirely new tool, nothing common with CSS syntax. And knowing how frequently frameworks come and go, I am not sure it's worth investing time in learning something as specific as Tailwind. Like comment: Like comment: 15 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; MohamedBechirMejri MohamedBechirMejri MohamedBechirMejri Follow Joined May 10, 2021 &bull; Feb 5 &#39;22 Dropdown menu Copy link Hide It took me about 30 minutes to learn Tailwind so I wouldn't say it's a waste of time. on the contrary, it saves me alot of time when I make small projects compared to regular styling. as for styled components, I don't see a big difference between that an inline styling so I'd skip it. Like comment: Like comment: 7 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 &bull; Feb 5 &#39;22 Dropdown menu Copy link Hide Thanks for the input! 🙏❤ Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Andika Kurniawan Andika Kurniawan Andika Kurniawan Follow Location Jakarta, Indonesia Work Software Developer Joined Dec 7, 2020 &bull; Nov 17 &#39;22 Dropdown menu Copy link Hide I like this comment, I think Tailwind is really helpful for big project but we just need take time to learn it Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 &bull; Jan 10 &#39;21 Dropdown menu Copy link Hide Agreed! I think Tailwind solves a specific problem and solves it well. But it doesn't solve all the other problems very well. Personally, I feel it's always more beneficial to know how things work under the hood. Having to write CSS still enforces that practice whereas Tailwind doesn't. Like comment: Like comment: 4 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 &bull; Jan 10 &#39;21 Dropdown menu Copy link Hide Currently, my favs are CSS modules or Styled JSX, depending on whether I want to style outside or inside of the component, respectively. Both are scoped and support bare CSS, which I love. Like comment: Like comment: 4 &nbsp;likes Like Thread Thread &nbsp; Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 &bull; Jan 10 &#39;21 Dropdown menu Copy link Hide Oooh, I'll take a look into those two at some point. Would you favour either of them against styled-components? Like comment: Like comment: 3 &nbsp;likes Like Thread Thread &nbsp; Madza Madza Madza Follow Discussions. 💬 Tools. 🛠 Resources. 📚 All things productivity. 🎯🚀💯 Email hi@madza.dev Joined Apr 23, 2019 &bull; Jan 10 &#39;21 &bull; Edited on Jan 10 &bull; Edited Dropdown menu Copy link Hide I like CSS modules or Styled JSX as both work well with NextJS, which I work with daily. Both have built-in support, meaning I don't have to worry about configuring anything. I prefer Styled JSX over SC, as it is more close to bare CSS, and CSS modules are not CSS-in-JS solution, so it would not be fair to compare them with SC. If you are looking for other alternatives, I would suggest looking into Svelte. It allows us to write CSS in style tags, while still working with components. A 'back-to-basics' approach, I really like. Like comment: Like comment: 4 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Aghiles Lounis Aghiles Lounis Aghiles Lounis Follow Software engineer, expert in the TypeScript ecosystem. Email ghiles.aitlounis@gmail.com Location France Education Master in Data science and Bachelor in Physics Work Software Engineer and Data Scientist. Joined Dec 11, 2020 &bull; Jul 1 &#39;21 Dropdown menu Copy link Hide You don't understand how well tailwind solves the maintainability problem, you don't understand that styled-components uses css in JS, for big projects with high render frequency even with code splitting you are going in the wrong direction with styled-components, same for MaterialUI, ChakraUI....You juste don't understand that using tailwind is like writing css files, and everyone know in terms of performance nothing beat pure css of course, there is absolutely 0 disadvantage using tailwind compared to all other css frameworks, simply because tailwind is css Like comment: Like comment: 10 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 &bull; Apr 4 &#39;22 Dropdown menu Copy link Hide Great comment, all valid points and I hope this can help people make their own informed decision further🙏🏻 Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Shreyas K R Shreyas K R Shreyas K R Follow Joined Jun 10, 2021 &bull; Oct 19 &#39;22 Dropdown menu Copy link Hide What ?? Tailwind comes with a number of disadvantages as mentioned in the post starting from readability when stylings for a basic component increases where you'd end up having more classes. You are NOT using vanilla css btw, its a library, which has to do something in order to convert your classes to actual styles. Like comment: Like comment: 1 &nbsp;like Like Comment button Reply Collapse Expand &nbsp; Pat Long Pat Long Pat Long Follow Joined Dec 1, 2019 &bull; Jan 27 &#39;21 Dropdown menu Copy link Hide Thanks for this write-up! Nice comparison of where TailwindCSS or Style-Components might be a better option. Our team is in the early stages of a big front-end project, so choosing the right approach to styling is a key concern and your article has really added some clarity to the decision. Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; KyleReemaN KyleReemaN KyleReemaN Follow Joined Jul 9, 2020 &bull; Nov 12 &#39;22 Dropdown menu Copy link Hide be aware with styled components I had huge performance problems with css in js I thought it would not matter for my personal projects but even there I had really poor performance for mobile devices Like comment: Like comment: Like Comment button Reply Collapse Expand &nbsp; Lpyexplore Lpyexplore Lpyexplore Follow Joined Mar 10, 2021 &bull; Mar 10 &#39;21 Dropdown menu Copy link Hide Hello! I am a front-end fan, I come from China. I just read your article and feel it's very good. You analyzed the styled component and tailwindcss rationally. Can I translate your article into Chinese and put it on the Chinese blog website Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 &bull; Apr 8 &#39;21 Dropdown menu Copy link Hide Of course you can! Like comment: Like comment: 1 &nbsp;like Like Comment button Reply Collapse Expand &nbsp; Suprabhat Kumar Suprabhat Kumar Suprabhat Kumar Follow Full Stack Developer Email suprabhat2018@gmail.com Location India Work Full Stack Developer at DeskNow Joined Feb 11, 2021 &bull; Jun 3 &#39;22 Dropdown menu Copy link Hide You didn't talk about the page performances on using tailwind and styled-components. Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Cezary Tomczyk Cezary Tomczyk Cezary Tomczyk Follow Joined Feb 23, 2023 &bull; Sep 13 &#39;23 &bull; Edited on Sep 13 &bull; Edited Dropdown menu Copy link Hide My personal opinion is that Tailwind is overhyped. Software engineers started polluting HTML with a mass of CSS classes. Example: flex border w-full dark:border-matteGray rounded-2xl h-[80vh] border-lightGray overflow-hidden Which not only increases HTML size but also makes it very hard to understand what follows. Compare with: .chat-message { align-items: centerl display: flex; ... and more properties that describes the layout AND behavior; } Enter fullscreen mode Exit fullscreen mode Not to mention that there have already been preprocessors like Sass for years, and even CSS is evolving with variables and the like. Then you will have the following HTML: &lt;div class="chat-message"&gt;Example text&lt;/div&gt; Enter fullscreen mode Exit fullscreen mode It will be a long time before software engineers realize that using dozens of CSS classes leads to a jungle in which everyone will spend more time analyzing what the code does and what the author intended. Like comment: Like comment: 1 &nbsp;like Like Comment button Reply Collapse Expand &nbsp; Shreyas K R Shreyas K R Shreyas K R Follow Joined Jun 10, 2021 &bull; Oct 19 &#39;22 &bull; Edited on Oct 19 &bull; Edited Dropdown menu Copy link Hide Even if you are following atomic design, for an atom, say a button, if it involves complex animation and styles there is no way to avoid having more classes imo. Like, say if you are making this button atom reusable and want to use some additional stylings/change stylings for the same button component, how would you go about it without adding more classes OR without using css in js via props as in SC ?? Like comment: Like comment: 1 &nbsp;like Like Comment button Reply &nbsp; Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 &bull; Jan 10 &#39;21 Dropdown menu Copy link Hide Ahhhh I like that! Throughout building my Tailwind app I've noticed the lack of animations and have had to resort to CSS. But never thought to combine the two! I like the approach! Like comment: Like comment: 3 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Al-amin Yusuf Al-amin Yusuf Al-amin Yusuf Follow I am a react js and node js enthusiastic self thought developer Email alaminyusuf131@gmail.com Location Nigeria Work Backend developer Joined Oct 28, 2019 &bull; Jan 11 &#39;21 Dropdown menu Copy link Hide Like both as they can be integrated with one another using tailwind macro. Like comment: Like comment: 1 &nbsp;like Like Comment button Reply Collapse Expand &nbsp; Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 &bull; Jan 11 &#39;21 Dropdown menu Copy link Hide Tailwind Macro!? What is that? Like comment: Like comment: 1 &nbsp;like Like Comment button Reply Collapse Expand &nbsp; Al-amin Yusuf Al-amin Yusuf Al-amin Yusuf Follow I am a react js and node js enthusiastic self thought developer Email alaminyusuf131@gmail.com Location Nigeria Work Backend developer Joined Oct 28, 2019 &bull; Jan 17 &#39;21 Dropdown menu Copy link Hide Sorry, Twin.macro I didn't even realized I typed it wrong. It a NPM pakage that gives developers the power to blend in tailwind css and styled components as well. Check out the docs npmjs.com/package/twin.macro Like comment: Like comment: 5 &nbsp;likes Like Thread Thread &nbsp; Sébastien D. Sébastien D. Sébastien D. Follow I&#39;m a Knowledge Management Expert, Coach, Author &amp; Founder. I write about Knowledge Work, AI, Knowledge Management and Productivity. I teach simple systems that actually work ⚡ Location Belgium Education Who cares! :) Work Author, Coach, Founder, CTO, Indie Hacker, Lifelong learner Joined Oct 8, 2019 &bull; Feb 15 &#39;21 Dropdown menu Copy link Hide +1, twin.macro blends both together and is IMHO a real nice library to combine with Tailwind in React apps! Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Stefan Wuthrich Stefan Wuthrich Stefan Wuthrich Follow I work as CPO for a Swiss Telco/Messaging Platform Company. My real passion is developing in Golang, Vue-Nuxt/ReactJs/Angular with Redis, Nsq/RabbitMQ, ArangoDB, MongoDB and Sql Location Nomad, now in Vietnam Education 25 y of experience ;-) Work Chief Product Officer at HORISEN AG Joined Oct 6, 2018 &bull; Jan 11 &#39;21 Dropdown menu Copy link Hide if you choose to go with TailwindCSS and React, checkout my boilerplate: github.com/altafino/react-webpack-... Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply Collapse Expand &nbsp; Will Holmes Will Holmes Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Email will@willholmes.dev Location England Work Full Stack Developer Joined Dec 13, 2020 &bull; Jan 11 &#39;21 Dropdown menu Copy link Hide Nice one! Looks good Like comment: Like comment: 2 &nbsp;likes Like Comment button Reply View full discussion (33 comments) Code of Conduct &bull; Report abuse Are you sure you want to hide this comment? It will become hidden in your post, but will still be visible via the comment's permalink . Hide child comments as well Confirm For further actions, you may consider blocking this person and/or reporting abuse Will Holmes Follow A self taught full-stack developer since 2015, living in the UK. Location England Work Full Stack Developer Joined Dec 13, 2020 More from Will Holmes Migrating to NextJs 13 # nextjs # typescript # javascript # react Multi Nested Dynamic Routes in NextJs # nextjs # javascript # tutorial # react A UseDarkMode react hook for everyone! # javascript # webdev # nextjs # react 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://dumb.dev.to/software-comparisons
Software Comparisons — What are the differences, pros and cons? - DUMB DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DUMB DEV Community Close Software Comparisons — What are the differences, pros and cons? This is a list of top posts that members of the community have created. These are the posts folks have generally continued coming back to over and over again, so we created this page to make some of these more discoverable. Hopefully you better understand some of the differences here once you've found the guide you need! Redux vs Context API: When to use them Declarative vs imperative Using then() vs Async/Await in JavaScript Kubernetes Ingress vs Service Mesh Create react app vs Vite Callbacks vs Promises Constructors in Python ( init vs __new ) When to Use Server-Side rendering vs Static Generation in Next.js CSS Modules vs CSS-in-JS. Who wins? append VS appendChild Cloud Run vs App Engine: a head-to-head comparison using facts and science Logical OR (||) vs Nullish Coalescing Operator (??) in JavaScript Server-Side Rendering (SSR) Vs Client-Side Rendering (CSR) Asp Net Core - Rest API Authorization with JWT (Roles Vs Claims Vs Policy) - Step by Step Python GUI, PyQt vs TKinter web3.js vs ethers.js: a Comparison of Web3 Libraries Cookies vs Local Storage vs Session Storage React Router V5 vs V6 LocalStorage vs Cookies: All You Need To Know About Storing JWT Tokens Securely in The Front-End TailwindCSS vs Styled-Components in ReactJs WebSockets vs Long Polling JSX.Element vs ReactElement vs ReactNode useState() vs setState() - Strings, Objects, and Arrays Methods vs Computed in Vue React: class components vs function components Supabase Vs Firebase Pricing and When To Use Which for loop vs .map() for making multiple API calls 🤝 Promise.allSettled() VS Promise.all() in JavaScript 🍭 React vs Vue vs Angular vs Svelte Azure Artifacts vs Build Artifacts vs Pipeline Artifacts: Difference EXPLAINED! When to use Svelte vs SvelteKit vs Sapper? C#, Task.WhenAll vs Parallel.ForEach Map vs MergeMap vs SwitchMap CSS 3 VS Tailwind CSS Serverless Framework vs SAM vs AWS CDK Angular: Setters vs ngOnChanges - which one is better? Interview question: heap vs stack (C#) JS interview in 2 minutes / Static vs Dynamic typing DynamoDB Scan Vs Query Operation Experiment Result componentWillMount() vs componentDidMount() Anonymous Functions vs Named Functions vs Arrow Functions Flexbox - Align Items vs Align Content. Vue vs React: What to choose in 2021? Laravel Jetstream vs Breeze vs Laravel/ui Linux Vs Windows - Why Linux Is Better For Programming &amp; Web Dev (A newbie experience) Fibonacci: Recursion vs Iteration TypedDict vs dataclasses in Python — Epic typing BATTLE! SSR vs CSR Callback vs Promises vs Async Await Poetry vs pip: Or How to Forget Forever "requirements.txt" Cheat Sheet for Beginners Cypress vs WebdriverIO | Which one to pick? Type Aliases vs Interfaces in TypeScript PyQt vs Tkinter (Spanish) Django vs Mern Which one to choose? YYYY vs yyyy - The day the Java Date Formatter hurt my brain JavaScript - debounce vs throttle ⏱ Go: Fiber vs Echo (a developer point) RxJS debounce vs throttle vs audit vs sample — Difference You Should Know Laravel vs Node.js - Which One Is The Best Back-End To Choose In 2021? Composer update Vs Composer Install Concurrency in modern programming languages: Rust vs Go vs Java vs Node.js vs Deno vs .NET 6 Pure vs Impure Functions Git: Theirs vs Ours Angular vs Blazor? A decision aid for web developers in 2022 APIView vs Viewsets PyQt vs Pyside Eager Loading VS Lazy Loading in SQLAlchemy React vs Vue: Popular Front end frameworks in 2022 OpenAPI spec (swagger) v2 vs v3 apt update vs apt upgrade: What's the difference? Framework vs library vs package vs module: The debate What Should You Put in a Constructor vs ngOnInit in Angular Javascript vs memes Ionic vs React Nactive vs Flutter Selenium vs The World Faster Clicker Redux VS React Context: Which one should you choose? Styled components vs Emotion js: A performance perspective Git Submodules vs Monorepos MongoDB: Normalization vs Denormalization PUT vs PATCH &amp; PUT vs POST Laravel vs ASP.NET Framework | Which is Better For Your Project? The last-child vs last-of-type selector in CSS Moq vs NSubstitute - Who is the winner? CSS solutions Battle: Compile time CSS-in-JS vs CSS-in-JS vs CSS Modules vs SASS querySelector vs getElementById Docker CMD vs ENTRYPOINT React Virtualization - react-window vs react-virtuoso The Development vs Production Environments npm vs npx - which to use when? Immediate vs eventual consistency Fleet vs VSCode Laravel breeze vs Jetstream Pug vs EJS? Join vs includes vs eager load vs preload Require vs Assert in Solidity Centralized vs Distributed Systems in a nutshell PyQt vs Tkinter (German) Flutter vs React Native Comparison - Which Use for Your Project in 2022 insertAdjacentHTML vs innerHTML Moment.js vs Luxon Generics vs Function Overloading vs Union Type Arguments in TypeScript Sass vs Scss What’s the difference: A/B Testing VS Blue/Green Deployment? Publisher Subscriber vs Observer pattern with C# VSCode vs Vim Persistent vs Non-Persistent Connections | Creating a Multiplayer Game Server - Part 2 Spread VS Rest Operator package.json vs package-lock.json: do you need both? Double Quotes vs Single Quotes in PHP RxJS operators: retry vs repeat? CAP Theorem: Availability vs consistency Scaling Airflow – Astronomer Vs Cloud Composer Vs Managed Workflows For Apache Airflow MySQL vs MySQLi vs PDO Performance Benchmark, Difference and Security Comparison For PHP devs - PHP Storm vs VSCode Difference Between Message vs Event vs Command Document vs Relational Databases IntelliJ vs Eclipse vs VSCode CSS position fixed vs sticky Telegraf VS Node-Telegram-Bot-API Flatpak vs Snaps vs AppImage vs Packages - Linux packaging formats compared Pytest vs Cypress: A fair fight in UI testing? Inline vs Inline-block vs Block Logging vs Tracing: Why Logs Aren’t Enough to Debug Your Microservices Solidity Gas Optimizations pt.1 - Memory vs Storage Bicep vs ARM templates Nest.js vs Express.js Retry vs Circuit Breaker Custom react hooks vs services Global vs Local State in React The What, Why, and When of Mono-Lambda vs Single Function APIs Frontend vs Backend: Which One Is Right For You? React vs Preact vs Inferno What is the difference between Library vs Framework? Compiling vs Transpiling npm vs yarn vs pnpm commands cheatsheet CPU Bound vs I/O Bound DataBindingUtil.inflate vs View Binding Inflate Includes() vs indexOf() in JavaScript useEffect vs useLayoutEffect: the difference and when to use them Ruby Modules: include vs extend vs prepend OOP vs FP with Javascript CSP vs Actor model for concurrency Rust Concept Clarification: Deref vs AsRef vs Borrow vs Cow Creating a countdown timer RxJS vs Vanilla JS Asynchronous vs Synchronous Programming SOAP vs REST vs gRPC vs GraphQL PyQT vs wxPython: Which GUI module for your project? CSS Drop Shadow vs Box Shadow Infrastructure-as-Code vs Configuration Management TypeScript: type vs interface Head recursion Vs Tail recursion Dev.to VS Hashnode VS Medium: Pick ONE Classes vs Functional components in React The Battle of the Array Titans: Lodash vs Vanilla - An Experiment AWS EventBridge vs S3 Notification Inheritance Vs Delegation JavaScript vs JavaScript. Fight! Interface vs Type in Typescript setTimeout vs setImmediate vs process.nextTick Kotlin vs Python Kotlin Multiplatform vs Flutter: Which One to Choose for Your Apps Supervised Learning vs Unsupervised Learning React Hooks API vs Vue Composition API, as explored through useState DEV VS Hashnode VS Medium: Where Should You Start Your Tech Blog Implementing React Routes (Part -2) Link Vs NavLink Vanilla CSS VS CSS Frameworks Postman vs Insomnia: which API testing tool do you use? Serif vs Sans-serif vs Monospaced Getting started with fp-ts: Either vs Validation Typescript Implicit vs Explicit types CWEs vs OWASP top 10? Understanding Offset vs Cursor based pagination Material Design 1 vs Material Design 2 Signed vs Unsigned Bit Integers: What Does It Mean and What's The Difference? default vs null - which is a better choice, and why? Summary of Flutter vs Tauri SpringBoot2 Blocking Web vs Reactive Web JSON-RPC vs REST for distributed platform APIs Explain RBAC vs ACL Like I'm Five .map() vs .forEach() Difference between Dialogflow CX vs Dialogflow ES API keys vs JWT authorization – Which is best? find() vs filter() Snake Case vs Camel Case AWS vs OCI Object Storage options and comparison MAUI XAML vs MAUI Blazor Pointer vs Reference in C++: The Final Guide Comparing reactivity models - React vs Vue vs Svelte vs MobX vs Solid vs Redux Frontend vs Backend, which do you prefer and why? Remix vs Next.js: A Detailed Comparison NodeJS vs Apache performance battle for the conquest of my ❤️ ⚔️ Functional vs Object Oriented vs Procedural programming Lazy vs Eager Initialization Laravel ORM vs Query Builder vs SQL: SPEED TEST! Concurrency in Go vs Erlang TypeScript ANY vs UNKNOWN—A Deep Dive MVC vs MVP vs MVVM Design Patterns GNOME vs KDE Plasma Database Views vs Table Functions Server Side Rendering vs Static Site Generation vs Incremental Static Regeneration Understanding Rendering in Web Apps: SPA vs MPA 'any' vs 'unknown' in TypeScript 👀 TypeORM - Multiple DB Calls vs Single DB Call JS array vs object vs map Benchmarking Python JSON serializers - json vs ujson vs orjson textContent VS innerText Web2 vs Web3 Opinion: Architect VS Engineer VS Developer Jenkins pipeline: agent vs node? Hibernate Naming Strategies: JPA Specification vs Spring Boot Opinionation Pyqt vs PySide (Spanish) Unique Identifiers: UUID vs NanoID A comparison of state management in React with Mobx vs State lifting Meteor vs Next? A brutally honest answer Git-Flow vs Github-flow Set vs Array Python Packaging: sdist vs bdist JavaScript array methods: Mutator VS Non-mutator and the returning value Uint vs Int. Qual a diferença em Go? Understanding Rendering in Web Apps: CSR vs SSR Flask vs Bottle Web Framework Moment.js vs Intl object PyQt vs Kivy Web3: Truffle VS Hardhat VS Embark VS Brownie The one about CSS vs CSS in JS React Hooks vs Svelte - Why I chose Svelte? TaskEither vs Promise looking for answers !, strapi vs nest js for my next project SOP vs CORS? Pagination in an API: page number vs start index SVG sprites vs CSS background image for multiple instances of icons Javascript Streams vs Generators JS Date vs Moment.js: A Really Simple Comparison AMQP vs HTTP return Task vs return await Task Arrow Function vs Function Front-end vs Back-end, and Static vs Dynamic Websites setImmediate() vs setTimeout() vs process.nextTick() Solace PubSub+ vs Kafka: The Basics Agency VS Product Company: Which One's Right for You? Stateless vs Stateful - Which direction should you take? Clean Architecture vs Vertical Slice Architecture Functional programming vs object oriented programming Using Array.prototype.includes() vs Set.prototype.has() to filter arrays Hot vs Cold Observables Reassignment vs Mutability Database (Schema) migration to Kubernetes - initContainers vs k8s jobs - Gatsby vs Next.JS - What, Why and When? Which is faster: obj.hasOwnProperty(prop) vs Object.keys(obj).includes(prop) React Fragment VS Div Happy coding! 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DUMB DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DUMB DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.git-tower.com/blog/posts/version-control-in-the-age-of-ai
Version Control in the Age of AI: The Complete Guide | Tower Blog You are using an outdated browser. Please upgrade your browser to improve your experience. Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download &lt; Back to Blog Version Control in the Age of AI: The Complete Guide Bruno Brito November 2025 | 9 min read Share: With the rise of AI coding assistants like Claude Code and Gemini CLI, our development workflows are changing at a rapid pace. These tools can be incredibly powerful, but they also introduce new challenges. How do we maintain a clean, understandable, and efficient version control history when a significant portion of our code is generated by AI? This article will provide a practical guide for developers to effectively use Git and version control in the age of AI. Whether you're a "vibe-coder" or a seasoned software engineer or web developer, we believe this guide can teach you something valuable to apply to your daily workflow. We will first cover the fundamentals of Git and then explore some more advanced techniques, such as Git Worktrees, to help you maintain control of your project's advancements and keep your version control history clean and organized. Along the way, we will also explain how Tower, our Git client , can assist you! The Importance of Creating Snapshots of Your Project When working with AI-generated code, it's easy to get carried away and end up with large, monolithic changes. This is where the discipline of creating frequent, small commits becomes your best friend. Think of each commit as a snapshot of your work — a safety net that you can always go back to. If an AI-generated change introduces a bug or takes you down the wrong path, you can easily revert to a previous state. Tiny, atomic commits make it much easier to pinpoint where things went wrong. In the upcoming chapters, we will explore a variety of techniques — both basic and advanced — that will help you keep track of your code developments. The Fundamentals of Git Let's start by revisiting some core Git best practices that are more important than ever in the age of AI: crafting effective commit messages and efficiently managing branches. ☝️ If you're just getting started with Git, we recommend exploring our Learn section , where you'll find a variety of free resources to help you become confident with version control, including ebooks and videos. Crafting the Perfect Commit Message A well-crafted commit message is a love letter to your future self and your teammates. When working with AI, it's crucial to explain the "why" behind a change, not just the "what". The AI can generate the code, but it can't (yet) understand the business context or the problem you're trying to solve. A good commit message should be clear, concise, and descriptive. It should explain the intent behind the change and any trade-offs that were made. This is such an important topic that we have dedicated an entire article to it ! How Tower Can Help 🔥 Tower has lots of features to help you create better commits. Here are some tips! While writing a commit in the "Working Copy" view, press / to easily reference files, commits, or even insert an emoji ( Tower supports Gitmoji ). If you have a service account like GitHub connected, you can also easily address an issue. Composing Commits in Tower If your team follows specific guidelines, adhering to commit templates will make a lot of sense. The tip mentioned above allows you to follow a commit template, and you can also click the button next to the character counter to insert a template. To create, edit, or delete commit templates, visit the "Templates" tab in the Settings. Managing Commit Templates in Tower Branching Strategies Feature branches are the cornerstone of a healthy Git workflow. They allow you to work on new features or bug fixes in isolation without affecting the main branch. This is especially important when experimenting with AI-generated code. Create a new branch for each new task, and only merge it back into the main branch when you're confident that the code is working as expected. How Tower Can Help 🔥 With its visualization capabilities, Tower lets you quickly explore any branch by viewing the list of branches in the sidebar. But a lot more can be achieved here! Tower is aware of the parent branch; therefore, if the main branch has received an update, you can quickly update your feature branch to incorporate the latest changes. Tower's "Update Branch" feature The "Fork Point" feature in Tower will display the precise commit at which a branch split from its parent. Commits that occurred before this divergence will appear grayed out. Tower's "Fork Point" Our newly released Tower Workflows feature allows you to easily create new branches and merge/clean them up when you're finished. It was designed with flexibility in mind, enabling you to customize how the feature works to suit your needs. Advanced Git Techniques for AI-Powered Development Now that we've covered the basics, let's explore some advanced Git techniques that are particularly well-suited for working with AI. Staging Chunks and Lines for Granular Commits AI-generated code often comes in large blocks. Instead of committing the entire block at once, it's a good practice to review the changes and stage them in smaller, logical chunks. How Tower Can Help 🔥 Tower's "Changeset" view allows you to do just that. Instead of typing git add -p in the command line, you can stage individual lines or chunks of code with a single click. This gives you granular control over what goes into each commit, helping you create those small, atomic commits we talked about earlier. Tower's single-line staging feature Interactive Rebase for a Clean History AI assistants can sometimes be a bit "chatty," generating a lot of small, incremental changes. While this is great for experimentation, it can lead to a cluttered commit history. This is where interactive rebase comes into play. Interactive rebase allows you to rewrite your commit history before merging a branch. You can reorder, squash, and edit commits to create a clean and logical history. Before pushing your changes to the remote repository, it is always advisable to take some time to organize your commits — for your future self and your team! Squashing is great if you prefer to move forward carefully in small steps. You can continuously add small commits labeled as "WIP" (Work in Progress) and then combine them all into a single commit when the feature is complete. How Tower Can Help 🔥 Instead of using the command line ( git rebase -i ), Tower makes interactive rebase as easy as dragging and dropping: You can reorder commits by dragging them up or down in the "History" view. Tower's drag and drop feature is very capable! You can edit commit messages or the content of the commits by right-clicking a commit and selecting "Edit commit message of [COMMIT]" or "Edit [COMMIT]," respectively. If you choose the latter option, Tower will check out that commit and allow you to make any desired changes, such as staging additional files or removing existing ones. Editing a Commit in Tower You can also simply drag one commit onto another to squash them together (hold ⌥ to fixup commits instead). Tower – Interactive Rebase with Drag and Drop And speaking of "fixup," you can also make amendments by typing fixup! followed by the appropriate commit in the commit message area. After that, you can access the branch view to use the "autofixup" feature. Tower – Autofixup Git Worktrees for Running AI Agents in Parallel In the AI coding landscape, it's common to work on multiple features in parallel with your preferred coding agent. If that describes you, then Git worktrees are the way to go! ✌️ A worktree is a separate working directory linked to your main repository. This allows you to have multiple branches checked out simultaneously, each in its own directory. For example, you can have your main feature branch checked out in one worktree and a hotfix branch in another. You can switch between them seamlessly without needing to stash or commit your changes, making it ideal for running multiple AI coding agents simultaneously. How Tower Can Help 🔥 In Tower, working with worktrees is a breeze. You can create a new worktree by right-clicking on any branch in the sidebar and selecting "Check out [BRANCH] in New Worktree...". Creating a New Worktree from a Branch The "Worktrees" section in the sidebar will help you keep track of all your worktrees. Worktrees in Tower's Sidebar Stacked Branches for Incremental Work Stacked branches are useful for organizing incremental work with AI agents. For example, instead of creating multiple independent branches for a feature (such as the model and the UI), you can use stacked branches to easily update the dependent branch with any changes. This approach also makes the final review process easier, aligning with its intended design. This is also known as the Stacked Pull Requests workflow . How Tower Can Help 🔥 Tower allows you to create stacked branches from any branch by simply right-clicking on a branch and selecting the appropriate option from the context menu. Tower – Create New Stacked Branch Since Tower tracks the parent branch, you will be prompted to restack the child branch whenever the parent undergoes changes, ensuring that they remain in sync. You will also be notified if any merge conflicts arise while integrating the new changes. This even works if you are a Graphite user. Branch Restacking in Tower Conclusion AI is transforming the way we write software. With code generation now possible in seconds, having a clear understanding of your project's history is more important than ever. By adopting the principles discussed — such as making frequent, atomic commits and utilizing advanced techniques like interactive rebase and Git Worktrees — you can make your version control system the most reliable component of your AI-powered workflow. We hope you found this guide useful! For more Git tips and tricks, don't forget to sign up for our newsletter below and follow Tower on Twitter / X and LinkedIn ! ✌️ Join Over 100,000 Developers &amp; Designers Be the first to know about new content from the Tower blog as well as giveaways and freebies via email. Join Over 100,000 Developers &amp; Designers Be the first to know about new content from the Tower blog as well as giveaways and freebies via email. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Table of Contents Introduction The Importance of Creating Snapshots of Your Project The Fundamentals of Git Advanced Git Techniques for AI-Powered Development Conclusion We make Tower, the best Git client. Try Tower Now Search the Blog Related Posts Tower 12.5 for Mac — Hello Worktrees! 👋 Tower 12.5 for Mac introduces support for Worktrees! You can now create, check out, and manage Worktrees directly in your favorite Git client! 🫡 Understanding the Stacked Pull Requests Workflow In this post, let's explore the “Stacked Pull Requests” workflow: who it is intended for, its benefits, and the challenges associated with this approach. How Framer Manages Their Codebase with Tower We sat down with Jonas Treub and Niels van Hoorn from the Framer team to understand how Tower assists them in version controlling the Framer codebase, so that their users can build stunning websites. We make Tower, the best Git client for Mac and Windows. We help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay to easily & productively work with the Git version control system. Try it 30 days for free Your Download is in Progress… Giveaways. Cheat Sheets. eBooks. Discounts. And great content from our blog! Yes, I want the free newsletter that's loved by over 100,000 developers and designers. It's free, it's sent infrequently (approx. once a month) and you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice Privacy Policy Privacy Settings © 2011-2026 Tower — Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://design.forem.com/perceptive_analytics_f780
Perceptive Analytics - Design Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account Design Community Close Follow User actions Perceptive Analytics 404 bio not found Joined Joined on  Dec 10, 2025 More info about @perceptive_analytics_f780 Post 1 post published Comment 0 comments written Tag 0 tags followed Creating Engaging Tableau Dashboards Using GIFs Perceptive Analytics Perceptive Analytics Perceptive Analytics Follow Dec 18 &#39;25 Creating Engaging Tableau Dashboards Using GIFs # webdev # programming # ai # javascript 1  reaction Comments Add Comment 5 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV Design Community — Web design, graphic design and everything in-between Home About Contact Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . Design Community &copy; 2016 - 2026. We&#39;re a place where designers share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.git-tower.com/learn/cheat-sheets/cli
Command Line Cheat Sheet | Learn Version Control with Git Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download Command Line Cheat Sheet Download our popular Command Line cheat sheet Command Line Cheat Sheet For many, the command line belongs to long gone days: when computers were controlled by typing mystical commands into a black window; when the mouse possessed no power. But for many use cases, the command line is still absolutely indispensable! Our cheat sheet not only features the most important commands. On the back, it also explains some tips &amp; tricks that make working with the CLI a lot easier. Available in Light and Dark versions! Download the Cheat Sheet Get 17 of our most popular Cheat Sheets in one handy ZIP! Download Now for Free Light Version (Page 1) Dark Version (Page 2) Download the Cheat Sheet Get 17 of our most popular Cheat Sheets in one handy ZIP! Download Now for Free Giveaways. Cheat Sheets. eBooks. Discounts. And great content from our blog! Yes, I want the free newsletter that's loved by over 100,000 developers and designers. It's free, it's sent infrequently (approx. once a month) and you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. About Us As the makers of Tower, the best Git client for Mac and Windows , we help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay get the most out of Git. Just like with Tower, our mission with this platform is to help people become better professionals. That's why we provide our guides, videos, and cheat sheets (about version control with Git and lots of other topics) for free. About About Blog Merch Tower Git Client Git & Version Control Online Book First Aid Kit Webinar Video Course Advanced Git Kit FAQ Glossary Commands Web Development Website Optimization Python and Fauna Tutorial Cheat Sheets Command Line 101 Git Git for Subversion Users HTML Hugo JavaScript Markdown PowerShell Regex Ruby on Rails Tower Git Client Visual Studio Code Website Optimization Workflow of Version Control Working with Branches in Git Xcode Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice &nbsp; | &nbsp; Privacy Policy &nbsp; | &nbsp; Privacy Settings © 2010-2026 Tower - Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19
https://dev.to/t/programming/page/5#main-content
Programming Page 5 - DEV Community Forem Feed Follow new Subforems to improve your feed DEV Community Follow A space to discuss and keep up software development and manage your software career Future Follow News and discussion of science and technology such as AI, VR, cryptocurrency, quantum computing, and more. Open Forem Follow A general discussion space for the Forem community. If it doesn&#39;t have a home elsewhere, it belongs here Gamers Forem Follow An inclusive community for gaming enthusiasts Music Forem Follow From composing and gigging to gear, hot music takes, and everything in between. Vibe Coding Forem Follow Discussing AI software development, and showing off what we&#39;re building. Popcorn Movies and TV Follow Movie and TV enthusiasm, criticism and everything in-between. DUMB DEV Community Follow Memes and software development shitposting Design Community Follow Web design, graphic design and everything in-between Security Forem Follow Your central hub for all things security. From ethical hacking and CTFs to GRC and career development, for beginners and pros alike Golf Forem Follow A community of golfers and golfing enthusiasts Crypto Forem Follow A collaborative community for all things Crypto—from Bitcoin to protocol development and DeFi to NFTs and market analysis. Parenting Follow A place for parents to the share the joys, challenges, and wisdom that come from raising kids. We&#39;re here for them and for each other. Forem Core Follow Discussing the core forem open source software project — features, bugs, performance, self-hosting. Maker Forem Follow A community for makers, hobbyists, and professionals to discuss Arduino, Raspberry Pi, 3D printing, and much more. HMPL.js Forem Follow For developers using HMPL.js to build fast, lightweight web apps. A space to share projects, ask questions, and discuss server-driven templating Dropdown menu Dropdown menu Skip to content Navigation menu Search Powered by Algolia Search Log in Create account DEV Community Close Programming Follow Hide The magic behind computers. 💻 🪄 Create Post Older #programming posts 2 3 4 5 6 7 8 9 10 Posts Left menu 👋 Sign in for the ability to sort posts by relevant , latest , or top . Right menu Flutter ECS: Mastering Async Operations and Complex Workflows Dr. E Dr. E Dr. E Follow Jan 11 Flutter ECS: Mastering Async Operations and Complex Workflows # flutter # dart # programming # opensource Comments Add Comment 2 min read What&#39;s new in Webpixels v3 Alexis Enache Alexis Enache Alexis Enache Follow Jan 12 What&#39;s new in Webpixels v3 # webdev # programming # ai # productivity Comments Add Comment 3 min read EC2 (single instance with db and redis and all) vs EC2 + RDS + MemoryDB, ECS/EKS (docker-based approach): when and why Saif Ullah Usmani Saif Ullah Usmani Saif Ullah Usmani Follow Jan 11 EC2 (single instance with db and redis and all) vs EC2 + RDS + MemoryDB, ECS/EKS (docker-based approach): when and why # webdev # programming # devops # javascript Comments Add Comment 3 min read 𝗪𝗵𝘆 𝗔𝗜-𝗚𝗲𝗻𝗲𝗿𝗮𝘁𝗲𝗱 𝗖𝗼𝗱𝗲 𝗢𝗳𝘁𝗲𝗻 𝗟𝗼𝗼𝗸𝘀 “𝗖𝗼𝗺𝗽𝗹𝗲𝘁𝗲” — 𝗯𝘂𝘁 𝗜𝘀𝗻’𝘁—𝗮𝗻𝗱 𝘄𝗵𝘆 𝗜 𝗯𝘂𝗶𝗹𝘁 𝗔𝗜-𝗦𝗟𝗢𝗣 𝗗𝗲𝘁𝗲𝗰𝘁𝗼𝗿 Kwansub Yun Kwansub Yun Kwansub Yun Follow Jan 11 𝗪𝗵𝘆 𝗔𝗜-𝗚𝗲𝗻𝗲𝗿𝗮𝘁𝗲𝗱 𝗖𝗼𝗱𝗲 𝗢𝗳𝘁𝗲𝗻 𝗟𝗼𝗼𝗸𝘀 “𝗖𝗼𝗺𝗽𝗹𝗲𝘁𝗲” — 𝗯𝘂𝘁 𝗜𝘀𝗻’𝘁—𝗮𝗻𝗱 𝘄𝗵𝘆 𝗜 𝗯𝘂𝗶𝗹𝘁 𝗔𝗜-𝗦𝗟𝗢𝗣 𝗗𝗲𝘁𝗲𝗰𝘁𝗼𝗿 # opensource # codequality # devsecops # programming Comments 1  comment 2 min read Beyond the Buzzwords: 5 Counter-Intuitive Lessons in System Design Amit Dey Amit Dey Amit Dey Follow Jan 11 Beyond the Buzzwords: 5 Counter-Intuitive Lessons in System Design # systemdesign # programming # security Comments Add Comment 7 min read ReactJS Hook Pattern ~UseImperativeHandle~ Ogasawara Kakeru Ogasawara Kakeru Ogasawara Kakeru Follow Jan 12 ReactJS Hook Pattern ~UseImperativeHandle~ # programming # javascript # react # learning Comments Add Comment 1 min read Create Your First MCP Server in 5 Minutes with create-mcp-server Ali Ibrahim Ali Ibrahim Ali Ibrahim Follow Jan 11 Create Your First MCP Server in 5 Minutes with create-mcp-server # webdev # javascript # ai # programming 1  reaction Comments Add Comment 10 min read Code Coverage Best Practices for Agentic Development Ariel Frischer Ariel Frischer Ariel Frischer Follow Jan 11 Code Coverage Best Practices for Agentic Development # webdev # programming # ai # productivity Comments Add Comment 3 min read Build Network Proxies and Reverse Proxies in Go: A Hands-On Guide Jones Charles Jones Charles Jones Charles Follow Jan 12 Build Network Proxies and Reverse Proxies in Go: A Hands-On Guide # go # networking # programming # webdev Comments Add Comment 6 min read What should 2.0.10 have been in PWin11 Tweaker? ph2ncyn ph2ncyn ph2ncyn Follow Jan 11 What should 2.0.10 have been in PWin11 Tweaker? # programming # microsoft # opensource # github Comments Add Comment 10 min read SQL vs NoSQL: The Ultimate Interview Guide to Choosing the Right Database (Simple Checklist Included) sizan mahmud0 sizan mahmud0 sizan mahmud0 Follow Jan 12 SQL vs NoSQL: The Ultimate Interview Guide to Choosing the Right Database (Simple Checklist Included) # interview # sql # nosql # programming 1  reaction Comments Add Comment 4 min read Building Amalanku 1.2.0: Home Widgets, Backup Systems &amp; More 🚀 Cahyanudien Aziz Saputra Cahyanudien Aziz Saputra Cahyanudien Aziz Saputra Follow Jan 11 Building Amalanku 1.2.0: Home Widgets, Backup Systems &amp; More 🚀 # programming # wecoded # islam 2  reactions Comments Add Comment 4 min read LINE Bot Developer Guide: LINE Login (Supplement) Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Bot Developer Guide: LINE Login (Supplement) # api # programming # tutorial Comments Add Comment 6 min read LINE Bot Developer Guide: Other Related Features Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Bot Developer Guide: Other Related Features # documentation # tutorial # api # programming Comments Add Comment 7 min read I Added a Cache and the System Got Slower: The Hidden Cost of Caching yusuf yonturk yusuf yonturk yusuf yonturk Follow Jan 11 I Added a Cache and the System Got Slower: The Hidden Cost of Caching # programming # performance # backend # redis 1  reaction Comments Add Comment 3 min read LINE Bot Developer Guide: Sending API Requests - Notes Evan Lin Evan Lin Evan Lin Follow Jan 11 LINE Bot Developer Guide: Sending API Requests - Notes # learning # api # tutorial # programming Comments Add Comment 9 min read Production ML is not about models. It’s about trade-offs. Jashwanth Thatipamula Jashwanth Thatipamula Jashwanth Thatipamula Follow Jan 11 Production ML is not about models. It’s about trade-offs. # webdev # ai # machinelearning # programming 3  reactions Comments Add Comment 3 min read Observer Pattern Explained Simply With JavaScript Examples Arun Teja Arun Teja Arun Teja Follow Jan 11 Observer Pattern Explained Simply With JavaScript Examples # designpatterns # javascript # beginners # programming Comments Add Comment 3 min read AI Agents: Automate 80% of Support (Case Study) Robort Gabriel Robort Gabriel Robort Gabriel Follow Jan 11 AI Agents: Automate 80% of Support (Case Study) # agents # programming # ai Comments Add Comment 6 min read Python Sets: remove() vs discard() — When Silence Is Golden Samuel Ochaba Samuel Ochaba Samuel Ochaba Follow Jan 11 Python Sets: remove() vs discard() — When Silence Is Golden # python # programming # tutorial # webdev Comments Add Comment 2 min read When Your AI Coding Assistant Gets Stuck — What&#39;s your next move? Hanyuan PENG Hanyuan PENG Hanyuan PENG Follow Jan 11 When Your AI Coding Assistant Gets Stuck — What&#39;s your next move? # vibecoding # ai # programming # knowledgesharing 1  reaction Comments Add Comment 2 min read FastAPI from Zero: Writing Your First API Route Tekeu Franck Tekeu Franck Tekeu Franck Follow Jan 12 FastAPI from Zero: Writing Your First API Route # webdev # programming # fastapi Comments Add Comment 3 min read Is Learning Programming Without a Computer Science Degree Realistic? syed shabeh syed shabeh syed shabeh Follow Jan 12 Is Learning Programming Without a Computer Science Degree Realistic? # programming # computerscience # developers # webdev 2  reactions Comments Add Comment 1 min read I built my own programming language in C – ShrijiLang THEE ANGLE THEE ANGLE THEE ANGLE Follow Jan 12 I built my own programming language in C – ShrijiLang # compiling # opensource # c # programming Comments Add Comment 1 min read Case Study: How I Built ColorHexPro.com Omer Ben Shushan Omer Ben Shushan Omer Ben Shushan Follow Jan 12 Case Study: How I Built ColorHexPro.com # webdev # programming # design Comments Add Comment 2 min read loading... 💎 DEV Diamond Sponsors Thank you to our Diamond Sponsors for supporting the DEV Community Google AI is the official AI Model and Platform Partner of DEV Neon is the official database partner of DEV Algolia is the official search partner of DEV DEV Community — A space to discuss and keep up software development and manage your software career Home DEV++ Podcasts Videos DEV Education Tracks DEV Challenges DEV Help Advertise on DEV DEV Showcase About Contact Free Postgres Database Software comparisons Forem Shop Code of Conduct Privacy Policy Terms of Use Built on Forem — the open source software that powers DEV and other inclusive communities. Made with love and Ruby on Rails . DEV Community &copy; 2016 - 2026. We&#39;re a place where coders share, stay up-to-date and grow their careers. Log in Create account
2026-01-13T08:49:19
https://www.git-tower.com/blog/posts/how-to-install-gitea
How to Install Gitea (with SQLite3 and HTTPS!) on a VPS | Tower Blog You are using an outdated browser. Please upgrade your browser to improve your experience. Tower Navigation Features Undo Anything Just press Cmd+Z Drag and Drop Make the complex effortless Integrations Use your favorite tools Tower Workflows Branching Configurations Stacked Pull Requests Supercharged workflows All Features Release Notes Pricing Support Documentation Contact Us Account Login Learn Git Video Course 24 episodes Online Book From novice to master Cheat Sheets For quick lookup Webinar Learn from a Git professional First Aid Kit Recover from mistakes Advanced Git Kit Dive deeper Blog Download Download &lt; Back to Blog How to Install Gitea (with SQLite3 and HTTPS!) on a VPS Bruno Brito June 2025 | 8 min read Share: Setting up your own Gitea instance on a VPS might sound daunting, but trust me, it's more straightforward than you think! By following this guide, you'll have your private Git server up and running in no time. This is quite a fun project that offers significant benefits! By the end of this tutorial, you will have unparalleled control over your source code, your data, and your team's collaboration workflow. Here is the plan for today: Install Gitea on a VPS with a fresh Ubuntu 24.04 installation Configure Gitea with SQLite 3 Set up HTTPS with Nginx and Let's Encrypt So, grab your terminal, pour yourself a cup of coffee, and let's get started on bringing your Git hosting in-house. 📣 We are celebrating the Tower 9.1 for Windows release, which brings full Gitea support . This means that you can now manage your repositories and pull requests directly in our Git client! Preparing Your VPS: The Groundwork Before we install Gitea, we need to ensure our VPS is ready. For this tutorial, we'll assume you're using a fresh Ubuntu 24.04 LTS instance, which is a popular and stable choice. 1. Connect to Your VPS via SSH First things first: open your terminal and connect to your VPS. Replace your_username and your_vps_ip with your actual login details: ssh your_username@your_vps_ip If this is your first time connecting, you might be prompted to confirm the host's authenticity. Type yes and press Enter. 2. Update Your System It's always a good practice to update your package lists and upgrade any existing packages to their latest versions: sudo apt update &amp;&amp; sudo apt upgrade -y 3. Install Required Dependencies Gitea requires Git, a database, and a few other packages. We'll use SQLite3 for simplicity in this tutorial, but for larger deployments, you might consider PostgreSQL or MySQL. sudo apt install git sqlite3 -y 4. Create a Git User for Gitea Gitea runs best under its own dedicated user. This enhances security by isolating the Gitea process. adduser \ --system \ --shell /bin/bash \ --gecos 'Git Version Control' \ --group \ --disabled-password \ --home /home/git \ git This command creates a new system user named git with a home directory at /home/git . Installing Gitea Now that the groundwork is laid, let's get Gitea onto your server! We'll download the official binary, which is the easiest way to get up and running. 1. Download the Gitea Binary First, please check the official Gitea documentation for the latest stable release. Look for the Linux AMD64 static binary. As of writing, the latest stable version is 1.23.8 . wget -O gitea https://dl.gitea.com/gitea/1.23.8/gitea-1.23.8-linux-amd64 Now, we will make the binary executable and copy it to a more appropriate folder: /usr/local/bin/gitea chmod +x gitea cp gitea /usr/local/bin/gitea 2. Create Necessary Directories Gitea needs specific directories for its configuration, logs, and repositories. mkdir -p /var/lib/gitea/{custom,data,log} chown -R git:git /var/lib/gitea/ chmod -R 750 /var/lib/gitea/ mkdir /etc/gitea chown root:git /etc/gitea chmod 770 /etc/gitea ⚠️ Please note that /etc/gitea is temporarily set with write permissions so that the web installer can write the configuration file. After the installation is finished, we should change these permissions to read-only using: chmod 750 /etc/gitea chmod 640 /etc/gitea/app.ini 3. Create a Systemd Service for Gitea Running Gitea as a systemd service ensures it starts automatically on boot and can be managed easily. Create a new service file: sudo nano /etc/systemd/system/gitea.service Paste the following content into the file. Pay close attention to the WorkingDirectory and ExecStart paths: [Unit] Description=Gitea (Git with a cup of tea) After=syslog.target network.target [Service] RestartSec=2s Type=simple User=git Group=git WorkingDirectory=/var/lib/gitea/ ExecStart=/usr/local/bin/gitea web --config /etc/gitea/app.ini Restart=always Environment=USER=git HOME=/home/git GITEA_WORK_DIR=/var/lib/gitea [Install] WantedBy=multi-user.target Save and exit ( Ctrl + X , Y , Enter). 4.. Enable and Start the Gitea Service sudo systemctl enable gitea sudo systemctl start gitea sudo systemctl status gitea You should see output indicating that the Gitea service is active (running) . If not, check the logs with journalctl -u gitea . Initial Gitea Configuration (Web Interface) Gitea is now running! You can access its web installer to complete the setup. 1. Access the Web Installer By default, Gitea listens on port 3000. Open your web browser and navigate to http://your_vps_ip:3000 . You'll be greeted by the Gitea installation page. Feel free to review each field, but there's only one key setting that you should change: the Database type. Database Type : SQLite3 Click "Install Gitea" . This process will create the app.ini configuration file in /etc/gitea . After the installation, it's time to register your first user, which will be the administrator account. Simply click on "Register Now" and enter a username, email address, and password. Gitea – User Registration Success! You should now have access to the Gitea dashboard! 🎉 Gitea – Dashboard Setting Up HTTPS with Nginx and Let's Encrypt Having Gitea running is great, but accessing it via http://your_vps_ip:3000 isn't very secure or user-friendly. We want to access it via https://gitea.mywebsite.com . This requires a web server (Nginx) acting as a reverse proxy and an SSL certificate (from Let's Encrypt). 1. Point Your Domain to Your VPS Before proceeding, make sure your domain's DNS records are set up. Create an A record for gitea.mywebsite.com that points to your VPS's public IP address. DNS changes can take some time to propagate. 2. Install Nginx Nginx will be our web server that handles incoming requests on port 80 and 443 and forwards them to Gitea running on port 3000. sudo apt install nginx -y 3. Configure Nginx as a Reverse Proxy Create a new Nginx configuration file for your Gitea site: sudo nano /etc/nginx/sites-available/gitea.conf Paste the following configuration. Replace gitea.mywebsite.com with your actual domain. server { listen 80; server_name gitea.mywebsite.com; location / { proxy_pass http://localhost:3000; proxy_set_header Host $host; proxy_set_header X-Real-IP $remote_addr; proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; proxy_set_header X-Forwarded-Proto $scheme; } } Save and exit. 4. Enable the Nginx Site and Test Configuration Create a symbolic link to enable the site: sudo ln -s /etc/nginx/sites-available/gitea.conf /etc/nginx/sites-enabled/ Test your Nginx configuration for syntax errors: sudo nginx -t If it reports "syntax is ok" and "test is successful", reload Nginx to apply the changes: sudo systemctl reload nginx Now, if you navigate to http://gitea.mywebsite.com (without the :3000 port), you should see your Gitea instance! 5. Install Certbot (for Let's Encrypt SSL) Time for SSL! Let's install Certbot, a tool that automates obtaining and renewing Let&#039;s Encrypt SSL certificates. sudo apt install certbot python3-certbot-nginx -y 6. Obtain and Install SSL Certificate Now run this command, once again replacing gitea.mywebsite.com with your own domain. sudo certbot --nginx -d gitea.selfhostfun.win Certbot will guide you through the process interactively. It will ask for your email and require you to agree to the terms of service. Once that is done, Certbot will automatically modify your Nginx configuration to include the SSL certificates and force HTTPS. 7. Update Gitea's Base URL in app.ini Finally, we need to tell Gitea that it's now accessible via HTTPS. Edit Gitea's main configuration file: sudo nano /etc/gitea/app.ini Find the [server] section and change the ROOT_URL to your HTTPS domain: [server] PROTOCOL = http DOMAIN = gitea.mywebsite.com ROOT_URL = https://gitea.mywebsite.com/ HTTP_PORT = 3000 Note : Keep PROTOCOL = http and HTTP_PORT = 3000 because Nginx is handling the HTTPS part and forwarding to Gitea's internal HTTP port. The ROOT_URL is what Gitea uses for generating links internally. Save and exit. 8. Restart Gitea to Apply Changes sudo systemctl restart gitea All Done! Congratulations! You should now have your very own Gitea instance running securely on your VPS, accessible via https://gitea.mywebsite.com ! Gitea — Installation Complete with HTTPS You've taken full control of your Git hosting, providing a private, powerful, and efficient platform for your team's code collaboration. No more relying solely on public cloud services when you have the power to host your code exactly how you want it! With your Gitea instance up and running, you can now seamlessly integrate it with Tower for Windows 9.1 , bringing all the power of your self-hosted Git repositories and pull requests right to your desktop 😎 Tower — "Gitea" and "Gitea Self-Hosted" options We hope you found this post helpful. For more Git tips and tricks, don't forget to sign up for our newsletter below and follow Tower on Twitter / X and LinkedIn ! ✌️ Join Over 100,000 Developers &amp; Designers Be the first to know about new content from the Tower blog as well as giveaways and freebies via email. Join Over 100,000 Developers &amp; Designers Be the first to know about new content from the Tower blog as well as giveaways and freebies via email. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Table of Contents Introduction Preparing Your VPS: The Groundwork Installing Gitea Initial Gitea Configuration (Web Interface) Setting Up HTTPS with Nginx and Let's Encrypt All Done! We make Tower, the best Git client. Try Tower Now Search the Blog Related Posts Tower 9.1 for Windows — Gitea and Gitmoji Support Tower 9.1 for Windows is here, bringing full Gitea integration! Manage your private repositories and pull requests directly from your favorite Git client. This release also introduces support for Gitmoji. Tower 13 for Mac — Introducing Graphite Support Tower 13 introduces Graphite support! With this update, you can now manage your stacked branches and create Pull Requests without ever leaving our Git client. How Framer Manages Their Codebase with Tower We sat down with Jonas Treub and Niels van Hoorn from the Framer team to understand how Tower assists them in version controlling the Framer codebase, so that their users can build stunning websites. We make Tower, the best Git client for Mac and Windows. We help over 100,000 users in companies like Apple, Google, Amazon, Twitter, and Ebay to easily & productively work with the Git version control system. Try it 30 days for free Your Download is in Progress… Giveaways. Cheat Sheets. eBooks. Discounts. And great content from our blog! Yes, I want the free newsletter that's loved by over 100,000 developers and designers. It's free, it's sent infrequently (approx. once a month) and you can unsubscribe any time. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Your trial is downloading… Try Tower "Pro" for 30 days without limitations! Tower Close Updates, Courses &amp; Content via Email Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower " (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Updates about Tower, discounts, and giveaways as well as new content from the Tower blog. Free email course " Learn Git with Tower " (8 emails) Free email course " Tips &amp; Tricks for Tower" (10 emails) I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time by clicking on the unsubscribe link in any email. Thank you for subscribing Please check your email to confirm Close Want to win one of our awesome Tower shirts? Tell your friends about Tower! Share on Twitter We'll pick 4 winners every month who share this tweet! Follow @gittower to be notified if you win! Try Tower for Free Sign up below and use Tower "Pro" for 30 days without limitations! Close Yes, send me instructions on how to get started with Tower. Yes, I want to hear about new Tower updates, discounts and giveaways as well as new content from the Tower blog. I have read and accept the Privacy Policy . I understand that I can unsubscribe at any time. Imprint / Legal Notice Privacy Policy Privacy Settings © 2011-2026 Tower — Mentioned product names and logos are property of their respective owners.
2026-01-13T08:49:19