\n We imagine a world in which anyone, anywhere can create a highly productive, 100-person organization — in 1 hour.\n
\n\n That's Effective.\n
\n \nGeniuses, basically. And privacy activists, philosophers, programmers, designers, security researchers, thinkers, and doers.
\n\nBring the power of software automation to every knowledge worker.
\n\n\n Effective.AF is a small business. We care deeply about protecting our users' privacy and helping them be more effective in their world-changing endeavors.\n
\nSteve Phillips, CEO
\nPast: Invented CrypTag, software for making encrypted data partially searchable, then presented it at the DEF CON hacker conference. Co-founded Santa Barbara Hackerspace in 2010. Double-majored in Math and Philosophy at UC Santa Barbara before turning to computer programming, computer security, and defending human privacy.
\nTim Sullivan, CDO
\nPast: Design Technologist @ Airbnb and Splunk, Founder of TutorialTim.com
\nWe would love to hear from you! Reach out to us at jobs@effective.af
\nSimple, Secure, Affordable Task Management for Activists, Human Rights Organizations, and You.
\nFree 45-day trial, super affordable after that -- especially for small orgs
\n\n {$myProjects[projectId] && $myProjects[projectId].mission}\n
\n\n\n {#if $membershipsSorted[projectId]}\n {#if $membershipsSorted[projectId].length === 1}\n 1 member\n {:else}\n {$membershipsSorted[projectId].length} members\n {/if}\n {/if}\n
\nNot sure how to use Effective? Get started with onboarding to learn the ins and outs of Effective's abilities!
\n \n\n We've added this very Dashboard page,\n encrypted display names (which can only be seen by you and your comrades),\n a sexier homepage, and more!\n
\n \nNo goal chat rooms created yet! Consider making one now.
\n {/each}\n' +\n escapeHtml(tokens[idx].content) +\n '
';\n};\n\n\ndefault_rules.code_block = function (tokens, idx, options, env, slf) {\n var token = tokens[idx];\n\n return '' +\n escapeHtml(tokens[idx].content) +\n '
\\n';\n};\n\n\ndefault_rules.fence = function (tokens, idx, options, env, slf) {\n var token = tokens[idx],\n info = token.info ? unescapeAll(token.info).trim() : '',\n langName = '',\n highlighted, i, tmpAttrs, tmpToken;\n\n if (info) {\n langName = info.split(/\\s+/g)[0];\n }\n\n if (options.highlight) {\n highlighted = options.highlight(token.content, langName) || escapeHtml(token.content);\n } else {\n highlighted = escapeHtml(token.content);\n }\n\n if (highlighted.indexOf(''\n + highlighted\n + '
\\n';\n }\n\n\n return ''\n + highlighted\n + '
\\n';\n};\n\n\ndefault_rules.image = function (tokens, idx, options, env, slf) {\n var token = tokens[idx];\n\n // \"alt\" attr MUST be set, even if empty. Because it's mandatory and\n // should be placed on proper position for tests.\n //\n // Replace content with actual value\n\n token.attrs[token.attrIndex('alt')][1] =\n slf.renderInlineAsText(token.children, options, env);\n\n return slf.renderToken(tokens, idx, options);\n};\n\n\ndefault_rules.hardbreak = function (tokens, idx, options /*, env */) {\n return options.xhtmlOut ? '' +\n * hljs.highlight(lang, str, true).value +\n * '
';\n * } catch (__) {}\n * }\n *\n * return '' + md.utils.escapeHtml(str) + '
';\n * }\n * });\n * ```\n *\n **/\nfunction MarkdownIt(presetName, options) {\n if (!(this instanceof MarkdownIt)) {\n return new MarkdownIt(presetName, options);\n }\n\n if (!options) {\n if (!utils.isString(presetName)) {\n options = presetName || {};\n presetName = 'default';\n }\n }\n\n /**\n * MarkdownIt#inline -> ParserInline\n *\n * Instance of [[ParserInline]]. You may need it to add new rules when\n * writing plugins. For simple rules control use [[MarkdownIt.disable]] and\n * [[MarkdownIt.enable]].\n **/\n this.inline = new ParserInline();\n\n /**\n * MarkdownIt#block -> ParserBlock\n *\n * Instance of [[ParserBlock]]. You may need it to add new rules when\n * writing plugins. For simple rules control use [[MarkdownIt.disable]] and\n * [[MarkdownIt.enable]].\n **/\n this.block = new ParserBlock();\n\n /**\n * MarkdownIt#core -> Core\n *\n * Instance of [[Core]] chain executor. You may need it to add new rules when\n * writing plugins. For simple rules control use [[MarkdownIt.disable]] and\n * [[MarkdownIt.enable]].\n **/\n this.core = new ParserCore();\n\n /**\n * MarkdownIt#renderer -> Renderer\n *\n * Instance of [[Renderer]]. Use it to modify output look. Or to add rendering\n * rules for new token types, generated by plugins.\n *\n * ##### Example\n *\n * ```javascript\n * var md = require('markdown-it')();\n *\n * function myToken(tokens, idx, options, env, self) {\n * //...\n * return result;\n * };\n *\n * md.renderer.rules['my_token'] = myToken\n * ```\n *\n * See [[Renderer]] docs and [source code](https://github.com/markdown-it/markdown-it/blob/master/lib/renderer.js).\n **/\n this.renderer = new Renderer();\n\n /**\n * MarkdownIt#linkify -> LinkifyIt\n *\n * [linkify-it](https://github.com/markdown-it/linkify-it) instance.\n * Used by [linkify](https://github.com/markdown-it/markdown-it/blob/master/lib/rules_core/linkify.js)\n * rule.\n **/\n this.linkify = new LinkifyIt();\n\n /**\n * MarkdownIt#validateLink(url) -> Boolean\n *\n * Link validation function. CommonMark allows too much in links. By default\n * we disable `javascript:`, `vbscript:`, `file:` schemas, and almost all `data:...` schemas\n * except some embedded image types.\n *\n * You can change this behaviour:\n *\n * ```javascript\n * var md = require('markdown-it')();\n * // enable everything\n * md.validateLink = function () { return true; }\n * ```\n **/\n this.validateLink = validateLink;\n\n /**\n * MarkdownIt#normalizeLink(url) -> String\n *\n * Function used to encode link url to a machine-readable format,\n * which includes url-encoding, punycode, etc.\n **/\n this.normalizeLink = normalizeLink;\n\n /**\n * MarkdownIt#normalizeLinkText(url) -> String\n *\n * Function used to decode link url to a human-readable format`\n **/\n this.normalizeLinkText = normalizeLinkText;\n\n\n // Expose utils & helpers for easy acces from plugins\n\n /**\n * MarkdownIt#utils -> utils\n *\n * Assorted utility functions, useful to write plugins. See details\n * [here](https://github.com/markdown-it/markdown-it/blob/master/lib/common/utils.js).\n **/\n this.utils = utils;\n\n /**\n * MarkdownIt#helpers -> helpers\n *\n * Link components parser functions, useful to write plugins. See details\n * [here](https://github.com/markdown-it/markdown-it/blob/master/lib/helpers).\n **/\n this.helpers = utils.assign({}, helpers);\n\n\n this.options = {};\n this.configure(presetName);\n\n if (options) { this.set(options); }\n}\n\n\n/** chainable\n * MarkdownIt.set(options)\n *\n * Set parser options (in the same format as in constructor). Probably, you\n * will never need it, but you can change options after constructor call.\n *\n * ##### Example\n *\n * ```javascript\n * var md = require('markdown-it')()\n * .set({ html: true, breaks: true })\n * .set({ typographer, true });\n * ```\n *\n * __Note:__ To achieve the best possible performance, don't modify a\n * `markdown-it` instance options on the fly. If you need multiple configurations\n * it's best to create multiple instances and initialize each with separate\n * config.\n **/\nMarkdownIt.prototype.set = function (options) {\n utils.assign(this.options, options);\n return this;\n};\n\n\n/** chainable, internal\n * MarkdownIt.configure(presets)\n *\n * Batch load of all options and compenent settings. This is internal method,\n * and you probably will not need it. But if you will - see available presets\n * and data structure [here](https://github.com/markdown-it/markdown-it/tree/master/lib/presets)\n *\n * We strongly recommend to use presets instead of direct config loads. That\n * will give better compatibility with next versions.\n **/\nMarkdownIt.prototype.configure = function (presets) {\n var self = this, presetName;\n\n if (utils.isString(presets)) {\n presetName = presets;\n presets = config[presetName];\n if (!presets) { throw new Error('Wrong `markdown-it` preset \"' + presetName + '\", check name'); }\n }\n\n if (!presets) { throw new Error('Wrong `markdown-it` preset, can\\'t be empty'); }\n\n if (presets.options) { self.set(presets.options); }\n\n if (presets.components) {\n Object.keys(presets.components).forEach(function (name) {\n if (presets.components[name].rules) {\n self[name].ruler.enableOnly(presets.components[name].rules);\n }\n if (presets.components[name].rules2) {\n self[name].ruler2.enableOnly(presets.components[name].rules2);\n }\n });\n }\n return this;\n};\n\n\n/** chainable\n * MarkdownIt.enable(list, ignoreInvalid)\n * - list (String|Array): rule name or list of rule names to enable\n * - ignoreInvalid (Boolean): set `true` to ignore errors when rule not found.\n *\n * Enable list or rules. It will automatically find appropriate components,\n * containing rules with given names. If rule not found, and `ignoreInvalid`\n * not set - throws exception.\n *\n * ##### Example\n *\n * ```javascript\n * var md = require('markdown-it')()\n * .enable(['sub', 'sup'])\n * .disable('smartquotes');\n * ```\n **/\nMarkdownIt.prototype.enable = function (list, ignoreInvalid) {\n var result = [];\n\n if (!Array.isArray(list)) { list = [ list ]; }\n\n [ 'core', 'block', 'inline' ].forEach(function (chain) {\n result = result.concat(this[chain].ruler.enable(list, true));\n }, this);\n\n result = result.concat(this.inline.ruler2.enable(list, true));\n\n var missed = list.filter(function (name) { return result.indexOf(name) < 0; });\n\n if (missed.length && !ignoreInvalid) {\n throw new Error('MarkdownIt. Failed to enable unknown rule(s): ' + missed);\n }\n\n return this;\n};\n\n\n/** chainable\n * MarkdownIt.disable(list, ignoreInvalid)\n * - list (String|Array): rule name or list of rule names to disable.\n * - ignoreInvalid (Boolean): set `true` to ignore errors when rule not found.\n *\n * The same as [[MarkdownIt.enable]], but turn specified rules off.\n **/\nMarkdownIt.prototype.disable = function (list, ignoreInvalid) {\n var result = [];\n\n if (!Array.isArray(list)) { list = [ list ]; }\n\n [ 'core', 'block', 'inline' ].forEach(function (chain) {\n result = result.concat(this[chain].ruler.disable(list, true));\n }, this);\n\n result = result.concat(this.inline.ruler2.disable(list, true));\n\n var missed = list.filter(function (name) { return result.indexOf(name) < 0; });\n\n if (missed.length && !ignoreInvalid) {\n throw new Error('MarkdownIt. Failed to disable unknown rule(s): ' + missed);\n }\n return this;\n};\n\n\n/** chainable\n * MarkdownIt.use(plugin, params)\n *\n * Load specified plugin with given params into current parser instance.\n * It's just a sugar to call `plugin(md, params)` with curring.\n *\n * ##### Example\n *\n * ```javascript\n * var iterator = require('markdown-it-for-inline');\n * var md = require('markdown-it')()\n * .use(iterator, 'foo_replace', 'text', function (tokens, idx) {\n * tokens[idx].content = tokens[idx].content.replace(/foo/g, 'bar');\n * });\n * ```\n **/\nMarkdownIt.prototype.use = function (plugin /*, params, ... */) {\n var args = [ this ].concat(Array.prototype.slice.call(arguments, 1));\n plugin.apply(plugin, args);\n return this;\n};\n\n\n/** internal\n * MarkdownIt.parse(src, env) -> Array\n * - src (String): source string\n * - env (Object): environment sandbox\n *\n * Parse input string and return list of block tokens (special token type\n * \"inline\" will contain list of inline tokens). You should not call this\n * method directly, until you write custom renderer (for example, to produce\n * AST).\n *\n * `env` is used to pass data between \"distributed\" rules and return additional\n * metadata like reference info, needed for the renderer. It also can be used to\n * inject data in specific cases. Usually, you will be ok to pass `{}`,\n * and then pass updated object to renderer.\n **/\nMarkdownIt.prototype.parse = function (src, env) {\n if (typeof src !== 'string') {\n throw new Error('Input data should be a String');\n }\n\n var state = new this.core.State(src, this, env);\n\n this.core.process(state);\n\n return state.tokens;\n};\n\n\n/**\n * MarkdownIt.render(src [, env]) -> String\n * - src (String): source string\n * - env (Object): environment sandbox\n *\n * Render markdown string into html. It does all magic for you :).\n *\n * `env` can be used to inject additional metadata (`{}` by default).\n * But you will not need it with high probability. See also comment\n * in [[MarkdownIt.parse]].\n **/\nMarkdownIt.prototype.render = function (src, env) {\n env = env || {};\n\n return this.renderer.render(this.parse(src, env), this.options, env);\n};\n\n\n/** internal\n * MarkdownIt.parseInline(src, env) -> Array\n * - src (String): source string\n * - env (Object): environment sandbox\n *\n * The same as [[MarkdownIt.parse]] but skip all block rules. It returns the\n * block tokens list with the single `inline` element, containing parsed inline\n * tokens in `children` property. Also updates `env` object.\n **/\nMarkdownIt.prototype.parseInline = function (src, env) {\n var state = new this.core.State(src, this, env);\n\n state.inlineMode = true;\n this.core.process(state);\n\n return state.tokens;\n};\n\n\n/**\n * MarkdownIt.renderInline(src [, env]) -> String\n * - src (String): source string\n * - env (Object): environment sandbox\n *\n * Similar to [[MarkdownIt.render]] but for single paragraph content. Result\n * will NOT be wrapped into `` tags.\n **/\nMarkdownIt.prototype.renderInline = function (src, env) {\n env = env || {};\n\n return this.renderer.render(this.parseInline(src, env), this.options, env);\n};\n\n\nmodule.exports = MarkdownIt;\n","import MarkdownIt from 'markdown-it';\n\nconst md = MarkdownIt({\n html: false,\n linkify: true,\n typographer: false,\n breaks: true\n});\n\nconst assignAttributes = (tokens, idx, attrObj) => {\n Object.keys(attrObj).forEach(attr => {\n const aIndex = tokens[idx].attrIndex(attr);\n if (aIndex < 0) {\n tokens[idx].attrPush([attr, attrObj[attr]]); // add new attribute\n } else {\n tokens[idx].attrs[aIndex][1] = attrObj[attr]; // replace value of existing attr\n }\n });\n};\nconst defaultRender =\n md.renderer.rules.link_open ||\n function(tokens, idx, options, env, self) {\n return self.renderToken(tokens, idx, options);\n };\n\nmd.renderer.rules.link_open = function(tokens, idx, options, env, self) {\n assignAttributes(tokens, idx, {\n target: '_blank',\n rel: 'nofollow noreferrer noopener'\n });\n // pass token to default renderer.\n return defaultRender(tokens, idx, options, env, self);\n};\n\nexport default md;\n","// Minimal-but-non-zero abstraction ftw. Thank you, Jimmy :ok_hand:\nexport const displayMembership = (m) => {\n return (m.displayName || 'user') + '#' + m.user_id;\n}\n\nexport const getTodayMonthDateStr = () => {\n const today = new Date();\n const month = (today.getMonth() + 1).toString().padStart(2, '0');\n const date = today.getDate();\n return month + '-' + date;\n}\n\nexport const displayMessageTimestamp = (created, todayMonthDate) => {\n // `created` format: 2023-03-28T05:19:22.171321+00:00\n const createdMonthDate = created.slice(5, 10);\n const messageCreatedToday = createdMonthDate === todayMonthDate;\n if (messageCreatedToday) {\n // Show time\n //\n // TODO: Show in local timezone, not UTC\n let createdTime = created.slice(11, 16);\n if (createdTime[0] === '0') {\n createdTime = createdTime.slice(1);\n }\n return createdTime + ' UTC';\n }\n // Show date\n return createdMonthDate;\n}\n","\n\n\n\n\n{#if message}\n
\n{/if}\n","\n\n\n\n{#if $currentProjectId}\nCreate your group goals and the tasks needed to achieve those goals below! In order to focus everyone's attention on a task, copy it to What's Next by clicking on the task's up arrow icon, which looks like this: .
Manage members, or filter users in this project by display name.
\n \n\n Display Name\n
\n\nSign into Another Device
\n(Feature coming soon!) Scan the above QR code from another device, or send yourself the URL below (through Signal, WhatsApp, ProtonMail, or any other medium -- preferably an encrypted one), to sign into your account from another device.
\nGenerate URL/QR Code
\n10:00
\nBackup My Account's Encryption Keys
\nLorem ipsum dolor sit amet, consectetur adipiscing elit.
\n \n\n \n\nExport Project Data
\nLorem ipsum dolor sit amet, consectetur adipiscing elit.
\n \n\n \n\nDelete Account
\nPermanently delete your account and all its content.
\n \nNo goals created yet! Click the + to the right of \"Project Goals\" to start making one.
\n {/if}\n {/each}\n{$myMemberships[$currentProjectId].user_id}
\n {:else}\nMe
\n {/if}\n\n
\n
\n With built-in encrypted chat, file sharing, and confetti.
\n Lots of confetti.\n
Effective is the only app in the world that gives you end-to-end encrypted task management, chat, file sharing, simplicity, affordability, and fun!
\nEnd-to-end encrypted tasks, chat messages, and files. Even your display name is encrypted!
\nSecure Communication
\nEncrypted chat without needing to hand over your phone number, or even an email address!
\nOpen
\nAll our code that runs on your device is available on our GitHub.
\nUser Management
\nDecide which project members have which privileges, such as the ability to permanently delete tasks, or to remove other members from the project.
\nFile Storage
\nUpload, store, and securely share files with fellow project members.
\nLess context switching
\nEverything in one place. All the features you need without getting in the way.
\nAnonymity
\nEncrypted display names, Tor Onion Service, and the upcoming ability to pay for your project with various cryptocurrencies.
\nJust $2/user/month for small organizations. That means we're 5-10x cheaper than duct taping Slack and Asana together and pretending you like it.
\nEffective is also dead-simple to use, no training required. Send someone an invite link, and boom -- they're in.
\nOnce your free trial expires and you begin to pay, you'll be supporting a small business and Benefit Corporation that is legally required to behave in the public interest. We are privacy activists, programmers, and designers who actually give a shit.
\nWe imagine a world in which anyone, anywhere can create a highly productive, volunteer-led, 100-person organization -- in 1 hour.
\n {#if !hasAccount}\n \n \n {/if}\nUse Effective for free with your whole team for the first 45 days. No credit card required. These are the current prices so get it while it’s hot and you will be grandfathered into these low prices forever.
\n\n This Privacy Policy explains how information about you is collected, used and disclosed by Tutorial Tim, LLC DBA Tutorial Tim (“Company,” “we,” “us” or “our”). This Privacy Policy applies to information we collect when you use our websites, products, services, content, and materials (collectively, the “Services”), or when you otherwise interact with us.\n
\nInformation you provide to us:
\nWe collect information you provide directly to us. For example, we collect information when you create an account, participate in any interactive features of the Services, subscribe to a newsletter or email list, participate in an event, survey, contest or promotion, make a purchase, communicate with us via third-party social media sites, request customer support or otherwise communicate with us.
\n\nThe types of information we may collect include your name, email address, password, postal address, phone number, gender, date of birth, occupation, employer information, photo, payment information (such as your credit or debit card and billing address), preference or interest data, and any other information you choose to provide.
\n\nInformation We Collect Automatically:
\nWhen you access or use our Services, we automatically collect information about you, including:
\n\nLog Information
\nWe collect log information about your use of the Services, including your Internet Protocol (“IP”) address, web request, access times, pages viewed, web browser, links clicked and the page you visited before navigating to the Services.
\n\nMobile Device Information
\nWe collect information about the mobile device you use to access our Services, including the hardware model, operating system and version, unique device identifiers, mobile network information and information about your use of our mobile applications.
\n\nInformation Collected by Cookies
\nWe and our service providers use various technologies to collect information, including cookies and web beacons. Cookies are small data files stored on your hard drive or in device memory that help us improve our Services and your experience, see which areas and features of our Services are popular, and count visits. Web beacons are electronic images that may be used in our Services or emails and help deliver cookies, count visits, and understand usage and campaign effectiveness. For more information about cookies, and how to disable them, please see “Your Choices” below.
\n\nInformation We Collect From Other Sources
\nWe may also obtain information from other sources and combine that with information we collect through our Services. For example, if you create or log into your account through a third-party social media site, we will have access to certain information from that site, such as your name, account information and friends lists, in accordance with the authorization procedures determined by such social media site; we may also collect information about you when you post content to our pages/feeds on third-party social media sites.
\n\nWe may use information about you for various purposes, including to:
\n\nProvide, maintain, improve and promote our products and services; Provide and deliver the information, products and services you request, process transactions and send you related information, including confirmations and receipts; Send you technical notices, updates, security alerts, and support and administrative messages; Respond to your comments, questions and requests, and provide customer service; Communicate with you about products, services, surveys, offers, promotions, rewards and events offered by Company and others, and provide news and information we think will be of interest to you; Monitor and analyze trends, usage and activities in connection with our Services; Personalize and improve the Services and provide advertisements, content or features that match user profiles or interests; Facilitate contests, sweepstakes and promotions, and process and deliver entries and rewards; Link or combine with information we get from others to help understand your needs and provide you with better service; and Carry out any other purpose for which the information was collected. We are based in the United States and the information we collect is governed by U.S. law. By accessing or using the Services or otherwise providing information to us, you consent to the processing and transfer of information in and to the U.S. and other countries.
\n\nWe may share information about you as follows or as otherwise described in this Privacy Policy:
\n\nWith vendors, consultants and other service providers who need access to such information to carry out work or perform services on our behalf; With third party business partners and the providers of the services featured in our training program; When you participate in the interactive areas of our Services, certain information you provide may be displayed to other users, such as your name, photo, comments and other information you choose to provide; In response to a request for information if we believe disclosure is in accordance with, or required by, any applicable law, regulation or legal process; If we believe your actions are inconsistent with our user agreements or policies, or to protect the rights, property and safety of Company or others; In connection with, or during negotiations of, any merger, sale of company assets, financing or acquisition of all or a portion of our business by another company; and with your consent or at your direction. We may also share information about you in connection with, or during negotiations of, any merger, sale of company assets, consolidation, reorganization, financing or acquisition of all or a portion of our business by another company. You acknowledge that such transfers may occur and that any acquirer or successor of Company or its assets may continue to use your information as set forth in this Privacy Policy. You will be notified via email and/or a prominent notice on our website or Services of any change in ownership or resulting change in uses of your information, as well as any choices you may have regarding your information.
\n\nThe Services may offer social sharing features and other integrated tools (such as the Facebook “Like” button), which let you share actions you take on our Services with other media, and vice versa. Your use of such features enables the sharing of information with your friends or the public, depending on the settings you establish with the entity that provides the social sharing feature. For more information about the purpose and scope of data collection and processing in connection with social sharing features, please visit the privacy policies of the entities that provide these features.
\n\nWe may allow others to serve advertisements on our behalf across the Internet and to provide analytics services. These entities may use cookies, web beacons and other technologies to collect information about your use of the Services and other websites, including your IP address, web browser, pages viewed, time spent on pages, links clicked and conversion information. This information may be used by Company and others to, among other things, analyze and track data, determine the popularity of certain content, deliver advertising and content targeted to your interests on our Services and other websites and better understand your online activity. For more information about interest-based ads, or to opt out of having your web browsing information used for behavioral advertising purposes by companies that participate in the Digital Advertising Alliance, please visit www.aboutads.info/choices.
\n\nTutorial Tim takes your security very seriously, and there are great security measures that have been put in place to help protect information about you from loss, theft, misuse and unauthorized access, disclosure, alteration and destruction.
\n\nAccount Information
\nYou may review, correct or modify information maintained in your online account by emailing us at support@tutorialtim.com. If you wish to delete or deactivate your account, please email us at support@tutorialtim.com, but note that some information you provide through the Services may continue to be accessible (e.g., comments you submit through the Services) and that we may continue to store information about you as required by law or for legitimate business purposes. We may also retain cached or archived copies of information about you for a certain period of time.
\n\nCookies
\nMost web browsers are set to accept cookies by default. If you prefer, you can usually choose to set your browser to remove or reject browser cookies. Please note that if you choose to remove or reject cookies, this could affect the availability or functionality of our Services
\n\nPromotional Communications
\nYou may opt out of receiving promotional communications from us by following the instructions in those communications or by sending an email to support@tutorialtim.com. If you opt out, we may still send you non-promotional communications, such as those about your account or our ongoing business relations.
\n\nOur Mission
\n{project.mission}
\n\nProject ID: {project.id}
\nCreated on {project.created.slice(0, 10)}
\n {:else}\nLoading project info...
\n\n \n
Here at Effective.AF we take your anonymity seriously. No e-mail required unless you’d like to receive notifications.
\nBy signing up, you are agreeing to our Terms & Conditions and Privacy Policy.
\n\n Please read these terms carefully, including the mandatory arbitration provision which requires that disputes are resolved by final and binding arbitration on an individual and not a class-wide or consolidated basis.\n
\nJune 19th, 2021
\nBy accessing or using our services, you agree to be bound by these terms of service and all terms incorporated herein by reference. If you do not agree to all of these terms, do not access or use our services.
\n\nThese Terms of Service (“Terms”) apply when you access or use the websites (collectively, the “Site”) of Tutorial Tim, LLC. (“Company,” “we,” “us” or “our”), our mobile applications, and the services, content and materials made available via the Site or mobile applications (collectively, the “Services”). These Terms do not alter in any way the terms or conditions of any other agreement you may have with Company for products, services or otherwise.
\n\nWe reserve the right to change or modify these Terms at any time and in our sole discretion. If we make changes to these Terms, we will provide notice of such changes, such as by sending you an email notification, providing notice through the Services or updating the “Last Updated” date at the top of these Terms. Your continued use of the Services following our notice of the amended Terms will confirm your acceptance of the amended Terms. If you do not agree to the amended Terms, you may not continue accessing or using the Services.
\n\nPlease direct all questions, comments, and feedback to support@effective.af
\n\nPlease refer to our Privacy Policy for information about how Tutorial Tim collects, uses and discloses information about you.
\n\nAnyone who is willing and mature enough to learn the educational material provided by Company.
\n\nIn order to access and use certain areas or features of the Services, you may be required to register for an account. If you create an account via our Services, you agree to: (a) provide accurate, current and complete information; (b) maintain and promptly update your account information to keep it accurate, current and complete; (c) maintain the security of your account and accept all risks of unauthorized access to your account and the information you provide to us; and (d) immediately notify us if you discover or otherwise suspect any security breaches related to your account or the Services.
\n\nAccess to certain materials, video and other course content on the Services is made available for purchase (“Premium Services”). Your payment for any access to any Premium Services is subject to the following terms:
\nPrice; Payment Plans. The price for any Premium Services will be made available via the Services at time of purchase. You may pay for access to the Premium Services in full at the time of your purchase or pursuant to any installment payment plan that we make available.
\n\nInstallment Payment Plans. If you select an installment payment plan, you hereby grant Company permission to automatically charge the applicable Premium Services fee to your designated payment method at the beginning of each applicable payment period until all payments have been completed. If you select an installment payment plan, you agree to keep your designated payment method information, including all billing information, current, complete and accurate.
\n\nValid Payment Methods. Only valid payment methods acceptable to us, or our designated payment processors, may be used to purchase access to our Premium Services. By submitting your order to purchase access to our Premium Services, you represent and warrant that you are authorized to use your designated payment method and authorize us, or our designated payment processors, to charge your purchase to that method. If your payment method cannot be verified or is invalid, your order may be suspended or cancelled automatically. You must resolve any problem we, or our designated payment processors, encounter in order to proceed with your order.
\n\n \nRefunds. Please consult our refund policy (“Refund Policy”) for information regarding any refunds that may be available for any Premium Services. To be eligible for a refund, you must make a refund request through our customer service team (support@effective.af) within the applicable time period set forth in the Refund Policy.
\n\nNo Cancellations. Other than in connection with our Refund Policy, all sales are final and we do not offer any refunds or cancellations. If you select an installment payment plan, you will be obligated to complete all installment payments.
\n\nFailure to Pay A failure to pay an installment payment related to any of the Services may result in the immediate suspension or termination of all Services. Upon suspension or termination, you will no longer be able to access your account and any Services. To maintain access to your account and all corresponding Services, your account and payments must be current and in good standing for all programs and Services for which you have registered. Pursuant to our Refund Policy, if your account is suspended or terminated for a failure to pay, you will not receive any refund except at our sole discretion and any scheduled automatic renewals will not occur.
\n\nErrors in Charges. In the event of an error that results in an incorrect charge, we reserve the right to correct such error and revise your order accordingly if necessary (including charging the correct price) or to cancel the order and refund any erroneous amount charged. In addition, we may, in lieu of a refund as provided in this paragraph, opt to provide you with a service credit, with a value equal to the amount charged to your payment method.
\n\nTaxes. You are responsible for any applicable sales or use tax, duties, or other governmental taxes or fees payable in connection with your purchase. If you do not pay such sales or other tax or fee on a transaction, you will be responsible for such taxes or fees in the event that they are later determined to be payable on such sale, and Company reserves the right to collect such taxes or other fees from you at any time.
\n\nAutomatic Renewal Terms. Certain Services are ongoing subscriptions (“Subscriptions”). By enrolling in a Subscription program, you agree that a Subscription fee will be billed at the price you agreed to when subscribing to the payment you provide for the then-current Subscription period on a recurring basis until you cancel. If you do not wish for your account to renew automatically, or if you want to change or cancel your Subscription, please email us at support@effective.af. You must cancel within 30 days after your Subscription period begins to be eligible for a refund. If you cancel your Subscription within the specified 30 or 60 day period after your subscription period begins, your Subscription will be terminated immediately and you will no longer be able to access the Subscription Services. If you cancel your Subscription after the 30 day period specified above, you may use your Subscription until the end of your then-current subscription term and your Subscription will not be renewed thereafter. You won’t, however, be eligible for a prorated refund of any portion of the subscription fee paid for the then-current Subscription period.
\n\nAccess to Services. Upon payment in full for a program advertised as “lifetime access,” you will receive access to the program that you purchased for the duration of the time Tutorial Tim operates the Site and your specific program, subject to these Terms. We reserve the right to discontinue programs and adjust the Site and programs at our sole discretion, so, where available, be sure to download any material you want to keep, since you’ll no longer have access to the membership area after access ends. For Subscription programs, you will only receive access to the Services during the term of your subscription.
\n\nUnless otherwise indicated, the Services, including all content, video and other materials on or made available via the Services, are the proprietary property of Company and its licensors and are protected by U.S. and international copyright laws. Any use, copying, redistribution and/or publication of any part of the Services, other than as authorized by these Terms or expressly authorized in writing by us, is strictly prohibited. In addition, the look and feel of the Services, including all page headers, custom graphics, button icons and scripts, is the proprietary property of Company and may not be copied, imitated or used, in whole or in part, without our prior written permission. You do not acquire any ownership rights to any content, video and other materials on or made available via the Services, and we reserve all rights not expressly granted in these Terms.
\nYou are granted a limited, non-transferable, non-exclusive, revocable right to access and use the Services solely for your own personal purposes; provided, however, that such license is subject to these Terms and does not include the right to: (a) resell, lease, rent or sublicense any Services or any access to the Services or any content, video and other materials on or made available via the Services; (b) copy, distribute, publicly perform or publicly display any Services or any content, video and other materials on or made available via the Services; (c) modify or otherwise make any derivative uses of any Services or any content, video and other materials on or made available via the Services; (d) download (other than page caching) any content, video and other materials on or made available via the Services, except as expressly permitted in connection with the Services; or (e) use the Services or any content, video and other materials on or made available via the Services other than for their intended purposes. Except as explicitly stated herein, nothing in these Terms shall be construed as conferring any license to intellectual property rights, whether by estoppel, implication or otherwise.
\n\nTutorial Tim (Tutorial Tim, LLC), the look and feel of the Services, and any other product or service name, logo or slogan contained in the Services are trademarks, service marks and/or trade dress of Company or our suppliers or licensors and may not be copied, imitated or used, in whole or in part, without the prior written authorization of Company or the applicable trademark holder. Any authorized use of such trademarks, service marks and/or trade dress must be in accordance with any guidelines provided by Company.
\n\nYou acknowledge that certain content, videos and other materials on or made available via the Services constitute the Confidential Information of Company. “Confidential Information” refers to certain information that is marked as “Confidential” or “Proprietary” that we reasonably regard as proprietary or confidential relating our courses, business, products, processes and techniques, including without limitation information relating to our trade secrets, business plans, strategies, methods and/or practices that is not generally known to the public and is disclosed to you pursuant to your express agreement to maintain the confidentiality of the Confidential Information.
\n\n\n Except as expressly allowed herein, you agree to hold in confidence and not disclose any such Confidential Information except in accordance with this Agreement.\n
\nThe foregoing obligations shall not apply to the extent that Confidential Information: (i) must be disclosed to comply with any requirement of law or order of a court or administrative body; (ii) is known to or in your or our possession prior to receiving the disclosure of such Confidential Information as documented by notes or records; (iii) is known or generally available to the public through no act or omission of you or us in breach of this Agreement; or (iv) is made available free of any legal restriction by a third party. The duties and requirements under this section shall survive termination of this Agreement.\n
\nYou hereby agree that any unauthorized disclosure of Company’s Confidential Information may cause immediate and irreparable injury to Company and that, in the event of such breach, Company will be entitled, in addition to any other available remedies, to immediate injunctive and other equitable relief, without bond and without the necessity of showing actual monetary damages.\n
\n\nYou are granted a limited, non-exclusive right to create a text hyperlink to the Site for noncommercial purposes, provided such link does not portray Company or the Services in a false, misleading, derogatory or otherwise defamatory manner and provided further that the linking website does not contain any illegal material or any material that is offensive, harassing or otherwise objectionable. This limited right may be revoked at any time. You may not use a Company logo or other proprietary graphic of Company to link to the Site without the express written permission of Company. Further, you may not use, frame or utilize framing techniques to enclose any Company trademark, logo or other proprietary information, including the images found within the Services, the content of any text or the layout/design of any page or form contained within the Services, without Company’s express written consent. Except as expressly stated in these Terms, you are not conveyed any right or license by implication, estoppel or otherwise in or under any intellectual property right of Company or any third party.
\n\nThe Services may include discussion forums, blogs, profiles, or other interactive features or areas (collectively, “Interactive Areas”), in which you or other users create, post, transmit or store any content on the Services, such as text, photos, video or graphics (“User Content”). You agree that you are solely responsible for your User Content and for your use of the Interactive Areas, and that you use the Interactive Areas at your own risk.
\n\nBy submitting or posting User Content, you grant Company a nonexclusive, royalty-free, perpetual, irrevocable and fully sublicensable right to use, reproduce, modify, adapt, publish, translate, create derivative works from, distribute, perform and display such User Content via the Services and any other medium. Further, you acknowledge and agree that Company may, but is not obligated to, enforce its rights in the User Content against third-party infringers. You represent and warrant that you own and control all of the rights, title and interest in and to any User Content you provide or you otherwise have all necessary rights to grant the rights to Company that you grant in these Terms.
\n\nYou agree not to post, upload to, transmit, distribute, store, create or otherwise publish or send through the Services any User Content that:
\nIs unlawful, libelous, defamatory, obscene, pornographic, harassing, threatening, abusive, inflammatory, fraudulent or otherwise objectionable;
\n\n\n Would constitute, encourage or provide instructions for a criminal offense, violate the rights of any party or that would otherwise create liability or violate any local, state, national or international law;\n
\n\n Displays, describes or encourages usage of any product we sell in a manner that could be offensive, inappropriate or harmful to Company or any user;\n
\n\n May violate the publicity, privacy or data protection rights of others, including pictures or information about another individual where you have not obtained such individual’s consent;\n
\n\n Makes false or misleading statements, claims or depictions about a person, company, product or service;\n
\n\n Does not clearly and prominently disclose any material connections you may have to Company or a third-party brand or seller (for example, if you receive free products or services or are a paid blogger or employee of Company or such third-party brand or seller);\n
\n\n May infringe any patent, trademark, trade secret, copyright or other intellectual or proprietary right of any party;\n
\n\n Impersonates any person or entity or otherwise misrepresents your affiliation with a person or entity;\n
\n\n Contains viruses, malware of any kind, corrupted data or other harmful, disruptive or destructive files or code; and\n
\n\n In the sole judgment of Company, restricts or inhibits any other person from using or enjoying the Services or which may expose Company or its users to any harm or liability of any type.\n
\n\n Company takes no responsibility and assumes no liability for any User Content posted, stored or uploaded by you or any third party or for any loss or damage thereto, nor is Company liable for any mistakes, defamation, slander, libel, omissions, falsehoods, obscenity, pornography or profanity you may encounter. Enforcement of the Terms is solely in our discretion and the absence of enforcement of these Terms in some instances does not constitute a waiver of our right to enforce the Terms in other instances. In addition, these Terms do not create any private right of action on the part of any third party or any reasonable expectation or promise that the Services will not contain any content that is prohibited by these Terms.\n
\n\n Although Company has no obligation to screen, edit or monitor any of the User Content posted on the Services, Company reserves the right, and has absolute discretion, to remove, screen or edit any User Content posted or stored on the Services at any time and for any reason without notice, and you are solely responsible for creating backup copies and replacing any User Content you post or store on the Services at your sole cost and expense.\n
\n\nSeparate and apart from User Content, you may submit questions, comments, suggestions, ideas, plans, notes, drawings, original or creative materials or other information, about the Services or Company (“Feedback”). Feedback is non-confidential and shall become the sole property of Company. Company shall own, and you hereby assign to Company, all right, title and interest, including all intellectual property rights, in and to such Feedback and Company shall be entitled to the unrestricted use and dissemination of any Feedback for any purpose, commercial or otherwise, without acknowledgment or compensation to you. You agree to execute any documentation required by Company (in our sole discretion) to confirm such assignment to, and unrestricted use and dissemination by, Company of any Feedback.
\n\nYou agree that you will not use the Services in violation of any law, contract or intellectual property or other third party right. You further agree not to:
\n\nUse the Services in any manner that could damage, disable, overburden or impair the Services;
\nSend unsolicited or unauthorized advertising, solicitations, promotional materials, spam, junk mail, chain letters and pyramid schemes, or harvest or collect email addresses or other contact information of other users from the Services for the purposes of sending commercial emails;
\nUse any robot, spider, crawler, scraper or other automated means or interface not provided by us to access the Services or to extract data;
\nIntroduce to the Services any virus, trojan worms, logic bombs or other harmful material;
\nCircumvent measures employed to prevent or limit access to any area, content or feature of the Services;
\nUse or attempt to use another’s account, or grant any third party any right to access your account, without authorization from Company;
\nEngage in any harassing, intimidating, predatory or stalking conduct;
\nDevelop any third-party applications that interact with User Content and the Services; or “Frame” our Services or otherwise make it look like you have a relationship to us or that we have endorsed you for any purpose without the prior written permission of Company.
\n\nIn accordance with the Digital Millennium Copyright Act (“DMCA”) and other applicable law, Company has adopted a policy of terminating, in appropriate circumstances and at Company’s sole discretion, users or account holders who are deemed to be repeat infringers. Company may also at its sole discretion limit access to the Services and/or terminate the accounts of any users who infringe any intellectual property rights of others, whether or not there is any repeat infringement.
\n\nIf you believe that anything on the Services infringes upon any copyright that you own or control, you may file a notification of such infringement with our Designated Agent as set forth below.
\n\nName of Designated Agent: Tim Sullivan
\nAddress: 711 Medford Center #248, Meford, OR, 97504
\nEmail Address: support@effective.af
\nPlease see 17 U.S.C. §512(c)(3) for the requirements of a proper notification. You should note that if you knowingly misrepresent in your notification that the material or activity is infringing, you may be liable for any damages, including costs and attorneys’ fees, incurred by us or the alleged infringer as the result of our relying upon such misrepresentation in removing or disabling access to the material or activity claimed to be infringing.
\n\nCompany may provide third-party content on the Services, including without limitation advertisements and promotional offers, and may provide links to web pages and content of third parties (collectively the “Third-Party Content”). Company does not control, endorse or adopt any Third-Party Content and makes no representation or warranties of any kind regarding the Third-Party Content, including without limitation regarding its accuracy or completeness. You acknowledge and agree that Company is not responsible or liable in any manner for any Third-Party Content and undertakes no responsibility to update or review any Third-Party Content. Your use of any Third-Party Content is at your own risk. The inclusion of Third-Party Content on the Services does not imply affiliation, endorsement or adoption by Company of any Third-Party Content or any information contained therein. Your business dealings or correspondence with, or participation in the promotional offers of, any third party responsible for Third-Party Content, and any terms, conditions, warranties or representations associated with such dealings or promotional offers, are solely between you and such third party. When you leave the Services, you should be aware that our terms and policies no longer govern. You should review the applicable terms and policies, including privacy and data gathering practices, of any site to which you navigate from the Services.
\n\nThe services are provided for informational purposes only and should not be construed as legal, financial or other professional advice or, unless otherwise expressly stated, as company’s official position on any subject matter. The services should not be relied upon for purposes of transacting in securities or other investments. Company does not represent or warrant that (a) the services are accurate, complete, reliable, current or error-free, or (b) the services or our server(s) are free of viruses or other harmful components. You should use industry-recognized software to detect and disinfect viruses from any download from the services.
\n\nExcept as expressly provided to the contrary in a writing by company, the services are provided on an “as is” basis without warranties of any kind, and, to the fullest extent permitted by applicable law, company disclaims all statutory and implied warranties, including, without limitation, implied warranties of merchantability, fitness for a particular purpose, title and non-infringement.
\n\nYou agree to defend, indemnify and hold harmless Company, our independent contractors, service providers and consultants, and our and their respective directors, officers, employees and agents (collectively, the “Company Parties”) from and against any claims, damages, costs, liabilities and expenses (including, but not limited to, reasonable attorneys’ fees) arising out of or related to (a) your use of the Services, (b) any Feedback you provide, (c) your breach of any of these Terms, or (d) your violation of the rights of any third party.
\n\nTo the fullest extent permitted by applicable law: (A) In no event shall the company parties be liable for any special, indirect or consequential damages, including but not limited to loss of use, loss of profits or loss of data, whether in an action in contract, tort (including as a result of company's negligence) or otherwise, arising out of or in any way connected with these terms or the use of or inability to use the services; and (b) in no event shall the aggregate liability of the company parties, whether in contract, warranty, tort (including as a result of company's alleged negligence), product liability, strict liability or other theory, arising our of or relating to these terms or the use of or inability to use the services exceed any compensation you pay, if any, to company for access to or use of the services.
\n\nYou acknowledge and agree that company has offered the services, set its prices, and entered into these terms in reliance upon the warranty disclaimers and the limitations of liability set forth in these terms, and that the warranty disclaimers and the limitations of liability set forth herein form an essential basis of the bargain between you and company. Company would not be able to provide the services on an economically reasonable basis without these limitations.
\n\nThese Terms are for the benefit of, and will be enforceable by, Company and you only. These Terms are not intended to confer any right or benefit on any third party or to create any obligations to any such third party.
\n\nCompany reserves the right to modify or discontinue, temporarily or permanently, the Services or any features or portions thereof without prior notice. You agree that Company will not be liable for any modification, suspension or discontinuance of the Services or any part thereof.
\n\n \n \n\nAny dispute between the parties regarding the subject matter of these Terms will be governed by these Terms and the laws of the State of California and applicable United States law, without giving effect to any conflict of laws principles that may provide for the application of the law of another jurisdiction. You and Company agree that any action at law or in equity arising out of or relating to any actual or threatened infringement, misappropriation or violation of a party’s copyrights, trademarks, trade secrets, patents or other intellectual property, or relating to these Terms shall be filed only in the state and federal courts located in Delaware (except for small claims disputes, which may be filed in the jurisdiction in which you reside), and you hereby irrevocably and unconditionally consent and submit to the exclusive jurisdiction of such courts over any suit, action or proceeding arising out of these Terms.
\n\nCompany reserves the right, without advance notice and in its sole discretion, to terminate your license to use the Services, and to block or prevent your future access to and use of the Services.
\n\nIf any provision of these Terms shall be deemed unlawful, void or for any reason unenforceable, then that provision shall be deemed severable from these Terms and shall not affect the validity and enforceability of any remaining provisions.
\n