<style>
.erm-full-event-notice{background:#fef3cd;border-left:4px solid #d4a017;color:#664d03;padding:14px 18px;margin:15px 0 0;border-radius:4px;font-size:14px;line-height:1.5;box-sizing:border-box;display:none;grid-column:1/-1;width:100%}
.erm-full-event-notice a{color:#48577d;font-weight:600;text-decoration:underline}
.erm-full-event-notice a:hover{color:#2c3a56}
#gform_submit_button_48.erm-submit-disabled{opacity:.5;cursor:not-allowed}
</style>
<script>
(function(){
    var fullEvents=["APRIL15SR","APRIL16SR"];
    var waitlistUrl="https:\/\/alaskasaferiders.org\/event-waitlist\/";
    var fid=48;
    var bound=false;

    var msg='<strong>This event is currently full.</strong><br><a href="'+waitlistUrl+'">Join the waitlist</a> and we\'ll notify you when a seat opens up.';

    function makeNotice(cls){
        var d=document.createElement('div');
        d.className='erm-full-event-notice '+cls;
        d.innerHTML=msg;
        return d;
    }

    function check(){
        var sel=document.getElementById('input_'+fid+'_6');
        if(!sel)return;
        var val=sel.value||'';
        var key=val.split('|')[0];
        var wrap=document.getElementById('gform_wrapper_'+fid);
        if(!wrap)return;
        var fieldNotice=wrap.querySelector('.erm-full-notice-field');
        var footerNotice=wrap.querySelector('.erm-full-notice-footer');
        var btn=document.getElementById('gform_submit_button_'+fid);
        var isFull=key&&fullEvents.indexOf(key)!==-1;
        if(isFull){
            if(!fieldNotice){
                fieldNotice=makeNotice('erm-full-notice-field');
                var gfield=document.getElementById('field_'+fid+'_6');
                if(gfield)gfield.parentNode.insertBefore(fieldNotice,gfield.nextSibling);
            }
            if(!footerNotice){
                footerNotice=makeNotice('erm-full-notice-footer');
                var footer=wrap.querySelector('.gform_footer,.gform_page_footer');
                if(footer)footer.parentNode.insertBefore(footerNotice,footer);
                else wrap.appendChild(footerNotice);
            }
            fieldNotice.style.display='block';
            footerNotice.style.display='block';
            if(btn){btn.disabled=true;btn.classList.add('erm-submit-disabled');}
        }else{
            if(fieldNotice)fieldNotice.style.display='none';
            if(footerNotice)footerNotice.style.display='none';
            if(btn){btn.disabled=false;btn.classList.remove('erm-submit-disabled');}
        }
    }

    function init(){
        var sel=document.getElementById('input_'+fid+'_6');
        if(!sel){
            setTimeout(init,200);
            return;
        }
        if(bound)return;
        bound=true;
        sel.addEventListener('change',check);
        check();
    }

    // Start polling after DOM is ready (form HTML comes after this script)
    if(document.readyState==='loading'){
        document.addEventListener('DOMContentLoaded',init);
    }else{
        init();
    }
})();
</script>
<style>
/* Ensure Payment Element iframe has enough height for all fields (card + country/zip) */
#gform_48 .ginput_stripe_creditcard .StripeElement--payment-element,
#gform_48 .ginput_stripe_creditcard .StripeElement--payment-element iframe{min-height:320px!important}
#gform_48 .ginput_stripe_creditcard .ginput_full{overflow:visible!important}
#gform_48 .ginput_container_creditcard{overflow:visible!important}
</style>
<script>
/* Stripe Payment Element fixes for Form 48:
   1. Debounce elements.update() — prevents cascading API calls on field changes
   2. Intercept Payment Element creation to disable Google Pay / Apple Pay wallets
   3. Delete gf_stripe_token cookie to prevent Link persistent authentication */
(function(){
    var fid=48;

    /* Delete the gf_stripe_token cookie so Link doesn't auto-authenticate */
    document.cookie='gf_stripe_token=;expires=Thu, 01 Jan 1970 00:00:00 GMT;path=/';

    var patched=false;
    function patchStripe(){
        if(patched)return;
        if(typeof GFStripeObj==='undefined'||!GFStripeObj.stripePaymentHandlers)return;
        var handler=GFStripeObj.stripePaymentHandlers[fid];
        if(!handler)return;

        patched=true;

        /* Debounce updatePaymentAmount (750ms) */
        if(handler.updatePaymentAmount){
            var orig=handler.updatePaymentAmount.bind(handler);
            var timer=null;
            handler.updatePaymentAmount=function(amt){
                clearTimeout(timer);
                timer=setTimeout(function(){orig(amt);},750);
            };
        }
    }
    /* Poll until handler exists */
    var tries=0;
    var iv=setInterval(function(){
        patchStripe();
        if(patched||++tries>60)clearInterval(iv);
    },500);

    /* Intercept Stripe Elements create() to add wallets:never option */
    function interceptElementsCreate(){
        if(typeof Stripe==='undefined')return false;
        var origStripe=Stripe;
        /* Only wrap once */
        if(origStripe._ermWrapped)return true;
        window.Stripe=function(){
            var instance=origStripe.apply(this,arguments);
            var origElements=instance.elements.bind(instance);
            instance.elements=function(opts){
                var el=origElements(opts);
                var origCreate=el.create.bind(el);
                el.create=function(type,createOpts){
                    if(type==='payment'){
                        createOpts=createOpts||{};
                        createOpts.wallets={googlePay:'never',applePay:'never'};
                    }
                    return origCreate(type,createOpts);
                };
                return el;
            };
            return instance;
        };
        /* Copy static properties */
        for(var k in origStripe){if(origStripe.hasOwnProperty(k))window.Stripe[k]=origStripe[k];}
        window.Stripe._ermWrapped=true;
        return true;
    }
    /* Try immediately, then poll if Stripe.js hasn't loaded yet */
    if(!interceptElementsCreate()){
        var si=setInterval(function(){
            if(interceptElementsCreate())clearInterval(si);
        },200);
        setTimeout(function(){clearInterval(si);},10000);
    }
})();
</script>
<script>
/* Payment-required flag: set Field 11 to "1" when total > 0, "0" otherwise.
   Replaces WPCode snippet 27326 which used MutationObserver and caused an infinite loop.
   Uses GF gform_product_total filter at priority 52 — after coupons (50) and Stripe (51) —
   so the total already reflects any coupon discounts. Shows/hides Field 9 directly. */
(function(){
    var fid=48,flagId=11,last=null;
    function setFlag(total){
        var v=total>0?'1':'0';
        if(v===last)return;
        last=v;
        var el=document.getElementById('input_'+fid+'_'+flagId);
        if(el)el.value=v;
        /* Show/hide Field 9 (payment) directly — avoids gf_apply_rules timing issues */
        var f9=document.getElementById('field_'+fid+'_9');
        if(f9){
            if(v==='1'){
                f9.style.display='';
                f9.classList.remove('gf_hidden');
            }else{
                f9.style.display='none';
                f9.classList.add('gf_hidden');
            }
        }
    }
    function tryHook(){
        if(typeof gform!=='undefined'&&gform.addFilter){
            gform.addFilter('gform_product_total',function(total,formId){
                if(parseInt(formId,10)===fid)setFlag(total);
                return total;
            },52);
            return true;
        }
        return false;
    }
    if(!tryHook()){
        var t=setInterval(function(){if(tryHook())clearInterval(t);},200);
        setTimeout(function(){clearInterval(t);},15000);
    }
    /* Also handle initial page state after GF renders */
    document.addEventListener('gform_post_render',function(e){
        if(!e.detail||parseInt(e.detail.formId,10)!==fid)return;
        if(typeof gformCalculateTotalPrice==='function')gformCalculateTotalPrice(fid);
    });
})();
</script><style type="text/css">body #gform_wrapper_48 .gform_footer .gform_button,body #gform_wrapper_48 .gform_page_footer .gform_button,body #gform_wrapper_48 .gform_page_footer .gform_previous_button,body #gform_wrapper_48 .gform_page_footer .gform_next_button,body #gform_wrapper_48 .gfield#field_submit .gform-button{border-style: solid;font-weight: normal; font-weight: bold; height:25px;color:#ffffff;background-color:#2e5eaf;font-size:15px;width:150px;border-width:2px;border-color:#2e5eaf;border-style:solid;border-radius:10px;-web-border-radius:10px;-moz-border-radius:10px;}body #gform_wrapper_48 .gform_footer .gform_button:hover,body #gform_wrapper_48 .gform_page_footer .gform_button:hover,body #gform_wrapper_48 .gform_page_footer .gform_previous_button:hover,body #gform_wrapper_48 .gform_page_footer .gform_next_button:hover,body #gform_wrapper_48 .gfield#field_submit .gform-button:hover {background-color:#ffffff;color:#2e5eaf;border-style: solid;border-style: solid;}body #gform_wrapper_48 .gform_footer button.mdc-button:hover {background-color:#ffffff;color:#2e5eaf;}body #gform_wrapper_48 .gform_body .gform_fields .gfield input[type=text]:not(.gform-text-input-reset),body #gform_wrapper_48 .gform_body .gform_fields .gfield input[type=email],body #gform_wrapper_48 .gform_body .gform_fields .gfield input[type=tel],body #gform_wrapper_48 .gform_body .gform_fields .gfield input[type=url],body #gform_wrapper_48 .gform_body .gform_fields .gfield input[type=password],body #gform_wrapper_48 .gform_body .gform_fields .gfield input[type=number]{border-width:1px;border-color:#424242;border-style:solid;border-radius:10px;-web-border-radius:10px;-moz-border-radius:10px;max-width:100%;}body #gform_wrapper_48 .gform_body .gform_fields .gfield textarea {border-width:1px;border-color:#424242;border-style: solid;border-radius: 10px;-web-border-radius: 10px;-moz-border-radius: 10px;}body #gform_wrapper_48 .gform_body .gform_fields .gfield .gfield_label {font-weight: normal; font-weight: bold; color:#0a0a0a;}/* Styling for Tablets */@media only screen and ( max-width: 800px ) and ( min-width:481px ) {body #gform_wrapper_48 .gform_footer .gform_button,body #gform_wrapper_48 .gform_page_footer .gform_button,body #gform_wrapper_48 .gform_body .gform_page_footer .gform_next_button,body #gform_wrapper_48 .gform_body .gform_page_footer .gform_previous_button,body #gform_wrapper_48 .gfield#field_submit .gform-button {border-style: solid;width:150px;height:25px;}body #gform_wrapper_48 .gform_footer button.mdc-button {width:150px;height:25px;}}/* Styling for phones */@media only screen and ( max-width: 480px ) {body #gform_wrapper_48 .gform_footer .gform_button,body #gform_wrapper_48 .gform_page_footer .gform_button,body #gform_wrapper_48 .gform_body .gform_page_footer .gform_next_button,body #gform_wrapper_48 .gform_body .gform_page_footer .gform_previous_button,body #gform_wrapper_48 .gfield#field_submit .gform-button{border-style: solid;width:150px;height:25px;}body #gform_wrapper_48 .gform_footer button.mdc-button{width:150px;height:25px;}}/*Option to add custom CSS */</style>BEGIN:VCALENDAR
VERSION:2.0
PRODID:-//Alaska Safe Riders - ECPv6.15.12.2//NONSGML v1.0//EN
CALSCALE:GREGORIAN
METHOD:PUBLISH
X-ORIGINAL-URL:https://alaskasaferiders.org
X-WR-CALDESC:Events for Alaska Safe Riders
REFRESH-INTERVAL;VALUE=DURATION:PT1H
X-Robots-Tag:noindex
X-PUBLISHED-TTL:PT1H
BEGIN:VTIMEZONE
TZID:America/Anchorage
BEGIN:DAYLIGHT
TZOFFSETFROM:-0900
TZOFFSETTO:-0800
TZNAME:AKDT
DTSTART:20250309T110000
END:DAYLIGHT
BEGIN:STANDARD
TZOFFSETFROM:-0800
TZOFFSETTO:-0900
TZNAME:AKST
DTSTART:20251102T100000
END:STANDARD
BEGIN:DAYLIGHT
TZOFFSETFROM:-0900
TZOFFSETTO:-0800
TZNAME:AKDT
DTSTART:20260308T110000
END:DAYLIGHT
BEGIN:STANDARD
TZOFFSETFROM:-0800
TZOFFSETTO:-0900
TZNAME:AKST
DTSTART:20261101T100000
END:STANDARD
BEGIN:DAYLIGHT
TZOFFSETFROM:-0900
TZOFFSETTO:-0800
TZNAME:AKDT
DTSTART:20270314T110000
END:DAYLIGHT
BEGIN:STANDARD
TZOFFSETFROM:-0800
TZOFFSETTO:-0900
TZNAME:AKST
DTSTART:20271107T100000
END:STANDARD
END:VTIMEZONE
BEGIN:VEVENT
DTSTART;TZID=America/Anchorage:20260228T090000
DTEND;TZID=America/Anchorage:20260301T160000
DTSTAMP:20260409T214621
CREATED:20251211T230644Z
LAST-MODIFIED:20260312T200432Z
UID:26257-1772269200-1772380800@alaskasaferiders.org
SUMMARY:AK Powder Pursuit - Women's Snowmachine Clinic Feb 28 - Mar 1
DESCRIPTION:📅 February 28 – March 1\, 2025\n📍 Valdez\, Alaska\n💲 $150 for the weekend + Alaska Safe Rider Membership\n👥 26 Rider Limit \nIf you’re ready to build confidence on the mountain — with hands-on coaching\, supportive instruction\, and a community of women who ride — this two-day clinic is for you.\nThis first course in the Alaska Powder Pursuit series is designed specifically for Beginners and Advanced Beginners\, focusing on the fundamentals that make you a safer\, smoother\, and more intentional backcountry rider. The Alaska Powder Pursuit team meets you at your skill level\, helping you progress with clarity and confidence. \nOver the weekend\, you’ll learn to:\n❄️ Control your sled through balance\, throttle management\, and body positioning\n❄️ Use countersteering and carving to move fluidly through varied terrain\n❄️ Read terrain and understand foundational avalanche awareness\n❄️ Work through stuck situations efficiently and safely \nAdditional topics include:\n❄️ Gear that supports progression\n❄️ Sled setup for improved handling\n❄️ Safe travel habits and communication practices\n❄️ Preventative Sled Maintenance \nBy the end of the weekend\, you’ll ride with more confidence\, more skill\, and a deeper understanding of safe backcountry travel. \nRider Levels\nTrue Beginner – You are brand new to snowmachines. You may have never ridden or only ridden once or twice. You’re still learning basic controls\, throttle/brake feel\, balance\, and how the machine responds on snow.\nBeginner – You are comfortable operating a sled at slow to moderate speeds on groomed trails. You can start\, stop\, and turn with confidence but are still developing body positioning\, throttle control\, and understanding terrain.\nAdvanced Beginner – You ride groomed and ungroomed terrain with growing confidence. You’re beginning to explore off-trail riding\, sidehilling basics\, climbing small features\, and navigating variable snow\, while still refining balance\, technique\, and recovery skills.\nIntermediate – You ride on- and off-trail regularly and can manage varied terrain\, deeper snow\, and moderate sidehills. You understand line choice\, machine control\, and terrain hazards and are ready to work on advanced techniques\, efficiency\, and riding bigger features. \n👉 This clinic is best suited for Beginners to Advanced Beginners.  \nMeet the Founders of Alaska Powder Pursuit\n✨ Teslin Hoyem — Born and raised in remote Alaska\, Teslin brings deep wilderness knowledge\, racing experience\, and a passion for empowering others to explore wild terrain safely and confidently.\n✨ Galen Bridgewater — A lifelong mountain athlete who transitioned from competitive snowboarding to mountain riding; Galen is known for her approachable teaching style and commitment to helping women build mountain confidence.\n✨ MoAnna Bradshaw — A Valdez local and podium finisher at Arctic Man and the Valdez Hill Climb. MoAnna blends technical riding skill\, storm-season terrain understanding\, and a grounded\, supportive leadership style. \nThese women created Alaska Powder Pursuit to help riders explore Alaska’s mountains with confidence\, community\, and respect for the terrain. \nRegistration Details\n📝 Pre-Registration Required: Complete our questionnaire\, select your clinic date\, and submit payment. \nMembership RequiredParticipation in this event requires an active Alaska Safe Riders membership. Please ensure your membership is current before registering. You can log in to your existing account or renew your membership using the link below. Becoming or remaining an active member helps support our safety programs\, rider education\, and community outreach—thank you for being part of the Alaska Safe Riders family. View Membership Levels Already a member? Log in here \n🚗 Transportation\, Lodging & Machines:All participants are responsible for their own transportation\, lodging\, and snowmachine. If you’d like support with transportation resources or options to rent a sled (including options in the Mat-Su Valley through AK Toy Rentals)\, please contact Galen for guidance. \n🏨 Book lodging early — Valdez fills quickly in winter. \n🔁 Cancellation Policy:– 72+ hours → Full refund– Under 72 hours → 50% refund \nCommunity Support\nA big thank-you to the Valdez Snowmachine Club for their support and for helping grow the AK Powder Pursuit programs in Valdez and beyond. \nQuestions?📧 Contact Galen Bridgewater at valdezwomensclinics@gmail.com \nPlease Note:Membership is required to participate in this course. The course price has been set with membership in mind\, which means coupon codes and discounts will not apply to this program. \nYour annual ASR membership unlocks training opportunities\, rider resources\, and community benefits that support safety across Alaska. \n✨ ASR Basic — $25/yr: Members-only training events; networking; merch offers; automatic prize entries👨‍👩‍👧‍👦 ASR Family — $50/yr: Up to 6 family members; group networking; merch offers; prize entries🏫 ASR Schools — $100/yr: School recognition; priority training reservations; special school offers🏢 ASR Business — $500+/yr: Business recognition; industry networking; visibility at events/workshops; website/newsletter recognition
URL:https://alaskasaferiders.org/event/ak-powder-pursuit-womens-snowmachine-clinic-feb-28-mar-1/
LOCATION:Thompson Pass\, Mile 27.5 Richardson Highway\, Valdez\, AK\, 99686\, United States
CATEGORIES:Field Class,Workshop
ATTACH;FMTTYPE=image/png:https://alaskasaferiders.org/wp-content/uploads/2025/12/AK-Powder-Pursuit-Clinics-Feb-28-Mar-1.png
ORGANIZER;CN="Mike Buck":MAILTO:mike@alaskasaferiders.org
END:VEVENT
BEGIN:VEVENT
DTSTART;TZID=America/Anchorage:20260314T090000
DTEND;TZID=America/Anchorage:20260314T170000
DTSTAMP:20260409T214621
CREATED:20251011T002355Z
LAST-MODIFIED:20260302T215452Z
UID:22557-1773478800-1773507600@alaskasaferiders.org
SUMMARY:emPOWDERed Ladies Backcountry Ride - Mountain Riders
DESCRIPTION:emPOWDERed Ladies Backcountry Ride\n📍 Eureka Lodge📅 March 14\, 2026👩‍🦰🏔️ Rider Limit: 24 \nJoin Alaska Safe Riders for an empowering\, ladies-only backcountry snowmobile ride focused on mountain rider skills\, confidence-building\, and community. This event blends skill development with a laid-back\, supportive group ride—meeting you where you’re at and offering guidance along the way. Space is limited to 24 riders to ensure a high-quality\, personalized experience. \nMany riders will arrive in Eureka on Friday\, March 13\, and we invite you to join us for relaxed\, informal pre-ride conversations in the lodge that evening. This is a great opportunity to connect with fellow riders\, meet your coaches\, and get stoked for the day ahead. \nSaturday Schedule – March 148:00–9:00 AM: Breakfast at the lodge9:45 AM: Mountain riders meet in the bar area with riding gear mostly on and packs ready for a mandatory pack checkAvalanche gear and radios are requiredBeacons will be checked prior to riding10:00 AM: All sleds warmed up and ready in the back parking lotFinal head count before departure\nIf you’re interested in riding but don’t have all required safety gear (radio\, beacon\, probe\, shovel)\, please let us know—we do have a limited number of extras available. \nRiders will head out with their coaches\, Angie\, Kirsten\, Tia and Sierra\, and work on a variety of mountain riding skills throughout the day. The two groups will plan to meet up for a backcountry lunch break at 1:00 PM (make sure to pack a snack)\, then head back out for a few more hours of riding\, with the day wrapping up around 5:00 PM. \nFor those staying the evening\, join us for a group dinner at 6:00 PM\, where we’ll be giving away awesome prizes from our sponsors\, sharing stories from the ride\, and—most importantly—continuing to grow our shred community. \nLodging InformationEureka Lodge: Limited availability\, 10% off for Alaska Safe Riders members\, RV hookups and camper spots availableGunsight Mountain Lodge – 10% off for ASR membersAlternative options: Long Rifle Lodge and Sheep Mountain Lodge\nThank You to Our SponsorsA special thank you to our primary sponsors for making this event possible: Alaska Mining and Diving Supply\, Uptrack Alliance\, Artwork by Sierra Winter\, Oxbow\, Awaken Productions\, and Rally AK. Your support helps us create safe\, empowering\, and community-driven riding opportunities for women in the mountains.\n⚠️ Alaska Safe Riders membership is required to participate.We can’t wait to shred with you all and spend an unforgettable weekend riding\, learning\, and connecting in the mountains. 🏔️✨ \n✨ ASR Basic — $25/yr: Members-only training events; networking; merch offers; automatic prize entries👨‍👩‍👧‍👦 ASR Family — $50/yr: Up to 6 family members; networking with riders & champions; merch offers; prize entries🏫 ASR Schools — $100/yr: School recognition; priority reservations for school trainings; special school offers🏢 ASR Business — $500+/yr: Business recognition; industry networking; visibility at events/workshops; website/newsletter recognition \n👉 Start your journey to safer riding today—join Alaska Safe Riders! \n\n\n                \n                        \n                             \n                        \n                        InstagramThis field is for validation purposes and should be left unchanged.Name(Required)\n                            \n                            \n                                                    \n                                                    First\n                                                \n                            \n                            \n                                                    \n                                                    Last\n                                                \n                            \n                        Please enter the participant’s full legal name as it should appear on event records and confirmations.Email(Required)\n                                \n                                    \n                                    Enter Email\n                                \n                                \n                                    \n                                    Confirm Email\n                                \n                                \n                            Enter a valid email address. Event confirmations\, receipts\, gear lists\, and meetup instructions will be sent to this address (If Applicable).Phone(Required)Provide a mobile phone number so we can contact you with important event updates\, schedule changes\, or safety notifications.This field is hidden when viewing the formEvent Tracking KeyEvent Selection(Required)— Please select an event —3.14.2026 emPOWDERed Backcountry Ladies Ride Eureka3.28.26 AK Powder Pursuit – Women’s Snowmachine Clinic4.25.26 End of Season FlingApril 14th – Soul Rides Motorized Avalanche Skills TrainingApril 15th – Soul Rides Motorized Avalanche Skills TrainingApril 16th – Soul Rides Motorized Avalanche Skills Training4.17.26 Alaska Safe Riders & Soul Rides Beacon Bash5.4.26 Annual MembershipSelect the event you are registering for. Please make sure the correct event name is selected before continuing.Member Promo Code ASR Member Discount:\nAlaska Safe Riders members receive a 10% discount on event registrations.\nIf you are already a member\, enter your discount code and click Apply. You can find your promo code on the membership dashboard.\nNot a member yet? Sign up here. Memberships start at $25 per year\, and in many cases the event discount will save you more than the cost of membership.\nThis field is hidden when viewing the formPayment Required Conditional (Admin only)Consent(Required) I agree to receive SMS notifications for transaction confirmations\, reminders\, and promotional offers. Standard messaging rates may apply.By checking this box\, you consent to receive text messages related to your registration\, including payment confirmations\, event reminders\, and important event-related updates.\nEmergency Contact Name(Required)\n                            \n                            \n                                                    \n                                                    First\n                                                \n                            \n                            \n                                                    \n                                                    Last\n                                                \n                            \n                        Emergency Contact Phone Number(Required)Sled InformationParticipants are responsible for providing their own snowmachine and transportation.Do you have any allergies or medical conditions we should know about for your safety?Snowmachine Information(Required)Year\, Make (Ski-Doo\, Polaris\, Arctic Cat\, Yamaha\, etc.)\, and Model and track length. Example 2025 Polaris Khaos Boost Matryx Slash 155Is your snowmachine in good working condition?(Required)\n			\n					\n					Yes\n			\n			\n					\n					No\n			\n			\n					\n					Other\n			If you are unsure\, please select other and describe your concerns. Describe any mechanical issues you are aware of.(Required)Example: the check engine light comes on at 3000 RPM but otherwise runs well throughout the day. Are you comfortable unloading/loading your snowmachine?(Required)\n			\n					\n					Yes\n			\n			\n					\n					No\n			\n			\n					\n					Need Assistance\n			\n			\n					\n					Other\n			Riding ExperienceHelp us understand your current riding experience and the skills you hope to build through our clinics.How long have you been riding snowmachines?(Required)\n			\n					\n					Never\n			\n			\n					\n					A Few Times\n			\n			\n					\n					1-2 Seasons\n			\n			\n					\n					3+ Seasons\n			How would you describe your current skill level?(Required)\n			\n					\n					True Beginner - You are brand new to snowmachines. You may have never ridden or only ridden once or twice. Still learning basic controls\, throttle/brake feel\, balance\, and how the machine responds on snow.\n			\n			\n					\n					Beginner - You are comfortable operating a sled at slow to moderate speeds on groomed trails. You can start\, stop\, and turn with confidence but are still developing body positioning\, throttle control\, and understanding terrain.\n			\n			\n					\n					Advanced Beginner - You ride groomed and ungroomed terrain with growing confidence. You’re beginning to explore off-trail riding\, sidehilling basics\, climbing small features\, and navigating variable snow. Still refining balance\, technique\, and recovery skills.\n			\n			\n					\n					Intermediate - You ride on- and off-trail regularly and can manage varied terrain\, deeper snow\, and moderate sidehills. You understand line choice\, machine control\, and terrain hazards. Ready to work on advanced techniques\, efficiency\, and riding bigger features.\n			\n			\n					\n					Other\n			What type of terrain have you ridden?(Required)\n								\n								Trails\n							\n								\n								Meadows\n							\n								\n								Low-Angle Powder\n							\n								\n								Steeper Terrain\n							\n								\n								High Alpine/Mountains\n							\n								\n								Rivers\n							\n								\n								Glaciers\n							Select all that apply. What are you hoping to improve on during the clinic?(Required)\n								\n								Throttle Control\n							\n								\n								Body Positioning\n							\n								\n								Countersteering\n							Select all that apply. What makes you nervous or unsure when riding?Do you have any injuries or physical limitations we should know about?Your GoalsHelp us understand how we can help you improve your skills in the riding and backcountry industry. What do you hope to gain from this clinic?(Required)What would you define as success from this clinic?(Required)Is there anything else we should know about you?(Required)Gear & PreparednessWe are proud to partner with Alaska Safe Riders to bring these clinics to women in the industry and safety is key! What avalanche gear do you currently have?(Required)\n								\n								Beacon\n							\n								\n								Probe\n							\n								\n								Shovel\n							\n								\n								Snow Saw\n							\n								\n								Airbag Backpage\n							\n								\n								Avy Lung\n							\n								\n								Inclinometer\n							\n								\n								Snow Thermometer/Crystal Card\n							\n								\n								On The Snow Avalanche Training\n							\n								\n								Online Avalanche Training\n							Do you feel confident using your avalanche gear?(Required)\n			\n					\n					Yes\n			\n			\n					\n					No\n			\n			\n					\n					I think so\n			\n			\n					\n					I need assistance\n			Do you have appropriate cold-weather riding gear?(Required)\n			\n					\n					Yes\n			\n			\n					\n					No\n			\n			\n					\n					I think so\n			\n			\n					\n					I need assistance\n			Payment InformationTotal Amount Due\n							\n						This amount reflects the event price and any applicable member discounts. The total will update automatically once your discount code is applied.Billing Address(Required)    \n                    \n                         \n                                        \n                                        Street Address\n                                    \n                                        \n                                        Address Line 2\n                                    \n                                    \n                                    City\n                                 \n                                        AlabamaAlaskaAmerican SamoaArizonaArkansasCaliforniaColoradoConnecticutDelawareDistrict of ColumbiaFloridaGeorgiaGuamHawaiiIdahoIllinoisIndianaIowaKansasKentuckyLouisianaMaineMarylandMassachusettsMichiganMinnesotaMississippiMissouriMontanaNebraskaNevadaNew HampshireNew JerseyNew MexicoNew YorkNorth CarolinaNorth DakotaNorthern Mariana IslandsOhioOklahomaOregonPennsylvaniaPuerto RicoRhode IslandSouth CarolinaSouth DakotaTennesseeTexasUtahU.S. Virgin IslandsVermontVirginiaWashingtonWest VirginiaWisconsinWyomingArmed Forces AmericasArmed Forces EuropeArmed Forces Pacific\n                                        State\n                                      \n                                    \n                                    ZIP Code\n                                \n                    \n                Enter the billing address associated with your payment method. This information is required for payment processing and fraud prevention.Payment Method(Required)\n			Complete your payment using our secure checkout. All transactions are encrypted and processed safely.\n           Save & Continue\n            \n            \n            \n            \n            \n            \n                             \n            \n            \n            \n            \n            \n            \n            \n        \n                        \n                        \n		                \n		                \n \n 
URL:https://alaskasaferiders.org/event/empowderedmountainriders/
LOCATION:Eureka Lodge\, Alaska\, Mile 128 Glenn Hwy.\, Glennallen\, AK\, 99588\, United States
CATEGORIES:Field Class
ATTACH;FMTTYPE=image/png:https://alaskasaferiders.org/wp-content/uploads/2025/10/emPOWDERed-March-14th.png
ORGANIZER;CN="Sierra Winter":MAILTO:sierrawintersmith@outlook.com
END:VEVENT
BEGIN:VEVENT
DTSTART;TZID=America/Anchorage:20260328T090000
DTEND;TZID=America/Anchorage:20260329T160000
DTSTAMP:20260409T214621
CREATED:20251211T231323Z
LAST-MODIFIED:20251212T210724Z
UID:26249-1774688400-1774800000@alaskasaferiders.org
SUMMARY:AK Powder Pursuit - Women's Snowmachine Clinic Mar 28 - Mar 29
DESCRIPTION:📅 March 28 – March 29\, 2025\n📍 Valdez\, Alaska\n💲 $150 for the weekend + Alaska Safe Rider Membership\n👥 26 Rider Limit \nIf you’re ready to build confidence on the mountain — with hands-on coaching\, supportive instruction\, and a community of women who ride — this two-day clinic is for you.\nThis first course in the Alaska Powder Pursuit series is designed specifically for Advanced Beginners to Intermediate riders\, focusing on the fundamentals that make you a safer\, smoother\, and more intentional backcountry rider. The Alaska Powder Pursuit team meets you at your skill level\, helping you progress with clarity and confidence. \nOver the weekend\, you’ll learn to:\n❄️ Control your sled through balance\, throttle management\, and body positioning\n❄️ Use countersteering and carving to move fluidly through varied terrain\n❄️ Read terrain and understand foundational avalanche awareness\n❄️ Work through stuck situations efficiently and safely \nAdditional topics include:\n❄️ Gear that supports progression\n❄️ Sled setup for improved handling\n❄️ Safe travel habits and communication practices\n❄️ Preventative Sled Maintenance \nBy the end of the weekend\, you’ll ride with more confidence\, more skill\, and a deeper understanding of safe backcountry travel. \nRider Levels\nTrue Beginner – You are brand new to snowmachines. You may have never ridden or only ridden once or twice. You’re still learning basic controls\, throttle/brake feel\, balance\, and how the machine responds on snow.\nBeginner – You are comfortable operating a sled at slow to moderate speeds on groomed trails. You can start\, stop\, and turn with confidence but are still developing body positioning\, throttle control\, and understanding terrain.\nAdvanced Beginner – You ride groomed and ungroomed terrain with growing confidence. You’re beginning to explore off-trail riding\, sidehilling basics\, climbing small features\, and navigating variable snow\, while still refining balance\, technique\, and recovery skills.\nIntermediate – You ride on- and off-trail regularly and can manage varied terrain\, deeper snow\, and moderate sidehills. You understand line choice\, machine control\, and terrain hazards and are ready to work on advanced techniques\, efficiency\, and riding bigger features. \n👉 This clinic is best suited for Advanced Beginners to Intermediate riders. \nMeet the Founders of Alaska Powder Pursuit\n✨ Teslin Hoyem — Born and raised in remote Alaska\, Teslin brings deep wilderness knowledge\, racing experience\, and a passion for empowering others to explore wild terrain safely and confidently.\n✨ Galen Bridgewater — A lifelong mountain athlete who transitioned from competitive snowboarding to mountain riding; Galen is known for her approachable teaching style and commitment to helping women build mountain confidence.\n✨ MoAnna Bradshaw — A Valdez local and podium finisher at Arctic Man and the Valdez Hill Climb. MoAnna blends technical riding skill\, storm-season terrain understanding\, and a grounded\, supportive leadership style. \nThese women created Alaska Powder Pursuit to help riders explore Alaska’s mountains with confidence\, community\, and respect for the terrain. \nRegistration Details\n📝 Pre-Registration Required: Complete our questionnaire\, select your clinic date\, and submit payment. \n🚗 Transportation\, Lodging & Machines:All participants are responsible for their own transportation\, lodging\, and snowmachine. If you’d like support with transportation resources or options to rent a sled (including options in the Mat-Su Valley through AK Toy Rentals)\, please contact Galen for guidance. \n🏨 Book lodging early — Valdez fills quickly in winter. \n🔁 Cancellation Policy:– 72+ hours → Full refund– Under 72 hours → 50% refund \nCommunity Support\nA big thank-you to the Valdez Snowmachine Club for their support and for helping grow the AK Powder Pursuit programs in Valdez and beyond. \nQuestions?📧 Contact Galen Bridgewater at valdezwomensclinics@gmail.com \nPlease Note:Membership is required to participate in this course. The course price has been set with membership in mind\, which means coupon codes and discounts will not apply to this program. \nYour annual ASR membership unlocks training opportunities\, rider resources\, and community benefits that support safety across Alaska. \n✨ ASR Basic — $25/yr: Members-only training events; networking; merch offers; automatic prize entries👨‍👩‍👧‍👦 ASR Family — $50/yr: Up to 6 family members; group networking; merch offers; prize entries🏫 ASR Schools — $100/yr: School recognition; priority training reservations; special school offers🏢 ASR Business — $500+/yr: Business recognition; industry networking; visibility at events/workshops; website/newsletter recognition \nMembership RequiredParticipation in this event requires an active Alaska Safe Riders membership. Please ensure your membership is current before registering. You can log in to your existing account or renew your membership using the link below. Becoming or remaining an active member helps support our safety programs\, rider education\, and community outreach—thank you for being part of the Alaska Safe Riders family. View Membership Levels Already a member? Log in here
URL:https://alaskasaferiders.org/event/akpowpursuitwomensclinicfeb28/
LOCATION:Thompson Pass\, Mile 27.5 Richardson Highway\, Valdez\, AK\, 99686\, United States
CATEGORIES:Field Class,Workshop
ATTACH;FMTTYPE=image/png:https://alaskasaferiders.org/wp-content/uploads/2025/12/AK-Powder-Pursuit-Clinic-Mar-28-Mar-29.png
ORGANIZER;CN="Mike Buck":MAILTO:mike@alaskasaferiders.org
END:VEVENT
END:VCALENDAR