text
stringlengths
18
981k
meta
dict
![Motion Animator Banner](img/motion-animator-banner.gif) > An animator for iOS 8+ that combines the best aspects of modern UIView and CALayer animation APIs. [![Build Status](https://travis-ci.org/material-motion/motion-animator-objc.svg?branch=develop)](https://travis-ci.org/material-motion/motion-animator-objc) [![codecov](https://codecov.io/gh/material-motion/motion-animator-objc/branch/develop/graph/badge.svg)](https://codecov.io/gh/material-motion/motion-animator-objc) [![CocoaPods Compatible](https://img.shields.io/cocoapods/v/MotionAnimator.svg)](https://cocoapods.org/pods/MotionAnimator) [![Platform](https://img.shields.io/cocoapods/p/MotionAnimator.svg)](http://cocoadocs.org/docsets/MotionAnimator) <table> <tr><td>🎉</td><td>Implicit and explicit additive animations.</td></tr> <tr><td>🎉</td><td>Parameterized motion with the <a href="https://github.com/material-motion/motion-interchange-objc">Interchange</a>.</td></tr> <tr><td>🎉</td><td>Provide velocity to animations directly from gesture recognizers.</td></tr> <tr><td>🎉</td><td>Maximize frame rates by relying more on Core Animation.</td></tr> <tr><td>🎉</td><td>Animatable properties are Swift enum types.</td></tr> <tr><td>🎉</td><td>Consistent model layer value expectations.</td></tr> </table> The following properties can be implicitly animated using the MotionAnimator on iOS 8 and up: <table> <tr><td>CALayer <tt>anchorPoint</tt></td></tr> <tr><td>CALayer <tt>backgroundColor</tt></td><td>UIView <tt>backgroundColor</tt></td></tr> <tr><td>CALayer <tt>bounds</tt></td><td>UIView <tt>bounds</tt></td></tr> <tr><td>CALayer <tt>borderWidth</tt></td></tr> <tr><td>CALayer <tt>borderColor</tt></td></tr> <tr><td>CALayer <tt>cornerRadius</tt></td></tr> <tr><td>CALayer <tt>height</tt></td><td>UIView <tt>height</tt></td></tr> <tr><td>CALayer <tt>opacity</tt></td><td>UIView <tt>alpha</tt></td></tr> <tr><td>CALayer <tt>position</tt></td><td>UIView <tt>center</tt></td></tr> <tr><td>CALayer <tt>rotation</tt></td><td>UIView <tt>rotation</tt></td></tr> <tr><td>CALayer <tt>scale</tt></td><td>UIView <tt>scale</tt></td></tr> <tr><td>CALayer <tt>shadowColor</tt></td></tr> <tr><td>CALayer <tt>shadowOffset</tt></td></tr> <tr><td>CALayer <tt>shadowOpacity</tt></td></tr> <tr><td>CALayer <tt>shadowRadius</tt></td></tr> <tr><td>CALayer <tt>transform</tt></td><td>UIView <tt>transform</tt></td></tr> <tr><td>CALayer <tt>width</tt></td><td>UIView <tt>width</tt></td></tr> <tr><td>CALayer <tt>x</tt></td><td>UIView <tt>x</tt></td></tr> <tr><td>CALayer <tt>y</tt></td><td>UIView <tt>y</tt></tr> <tr><td>CALayer <tt>z</tt></td></td></tr> <tr><td>CAShapeLayer <tt>strokeStart</tt></td></tr> <tr><td>CAShapeLayer <tt>strokeEnd</tt></td></tr> </table> Note: any animatable property can also be animated with MotionAnimator's explicit animation APIs, even if it's not listed in the table above. > Is a property missing from this list? [We welcome pull requests](https://github.com/material-motion/motion-animator-objc/edit/develop/src/MDMAnimatableKeyPaths.h)! ## MotionAnimator: a drop-in replacement UIView's implicit animation APIs are also available on the MotionAnimator: ```swift // Animating implicitly with UIView APIs UIView.animate(withDuration: 1.0, animations: { view.alpha = 0.5 }) // Equivalent MotionAnimator API MotionAnimator.animate(withDuration: 1.0, animations: { view.alpha = 0.5 }) ``` But the MotionAnimator allows you to animate more properties — and on more iOS versions: ```swift UIView.animate(withDuration: 1.0, animations: { view.layer.cornerRadius = 10 // Only works on iOS 11 and up }) MotionAnimator.animate(withDuration: 1.0, animations: { view.layer.cornerRadius = 10 // Works on iOS 8 and up }) ``` MotionAnimator makes use of the [MotionInterchange](https://github.com/material-motion/motion-interchange-objc), a standardized format for representing animation traits. This makes it possible to tweak the traits of an animation without rewriting the code that ultimately creates the animation, useful for building tweaking tools and making motion "stylesheets". ```swift // Want to change a trait of your animation? You'll need to use a different function altogether // to do so: UIView.animate(withDuration: 1.0, animations: { view.alpha = 0.5 }) UIView.animate(withDuration: 1.0, delay: 0.5, options: [], animations: { view.alpha = 0.5 }, completion: nil) // But with the MotionInterchange, you can create and manipulate the traits of an animation // separately from its execution. let traits = MDMAnimationTraits(duration: 1.0) traits.delay = 0.5 let animator = MotionAnimator() animator.animate(with: traits, animations: { view.alpha = 0.5 }) ``` The MotionAnimator can also be used to replace explicit Core Animation code with additive explicit animations: ```swift let from = 0 let to = 10 // Animating expicitly with Core Animation APIs let animation = CABasicAnimation(keyPath: "cornerRadius") animation.fromValue = (from - to) animation.toValue = 0 animation.isAdditive = true animation.duration = 1.0 view.layer.add(animation, forKey: animation.keyPath) view.layer.cornerRadius = to // Equivalent implicit MotionAnimator API. cornerRadius will be animated additively by default. view.layer.cornerRadius = 0 MotionAnimator.animate(withDuration: 1, animations: { view.layer.cornerRadius = 10 }) // Equivalent explicit MotionAnimator API // Note that this API will also set the final animation value to the layer's model layer, similar // to how implicit animations work, and unlike the explicit pure Core Animation implementation // above. let animator = MotionAnimator() animator.animate(with: MDMAnimationTraits(duration: 1.0), between: [0, 10], layer: view.layer, keyPath: .cornerRadius) ``` Springs on iOS require an initial velocity that's normalized by the displacement of the animation. MotionAnimator calculates this for you so that you can directly provide gesture recognizer velocity values: ```swift // Common variables let gestureYVelocity = gestureRecognizer.velocity(in: someContainerView).y let destinationY = 75 // Animating springs implicitly with UIView APIs let displacement = destinationY - view.position.y UIView.animate(withDuration: 1.0, delay: 0, usingSpringWithDamping: 1.0, initialSpringVelocity: gestureYVelocity / displacement, options: [], animations: { view.layer.position = CGPoint(x: view.position.x, y: destinationY) }, completion: nil) // Equivalent MotionAnimator API let animator = MotionAnimator() let traits = MDMAnimationTraits(duration: 1.0) traits.timingCurve = MDMSpringTimingCurveGenerator(duration: traits.duration, dampingRatio: 1.0, initialVelocity: gestureYVelocity) animator.animate(with: traits, between: [view.layer.position.y, destinationY], layer: view.layer, keyPath: .y) ``` ## API snippets ### Implicit animations ```swift MotionAnimator.animate(withDuration: <#T##TimeInterval#>) { <#code#> } ``` ```swift MotionAnimator.animate(withDuration: <#T##TimeInterval#>, delay: <#T##TimeInterval#>, options: <#T##UIViewAnimationOptions#>, animations: { <#code#> }) ``` ### Explicit animations ```swift let traits = MDMAnimationTraits(delay: <#T##TimeInterval#>, duration: <#T##TimeInterval#>, animationCurve: <#T##UIViewAnimationCurve#>) let animator = MotionAnimator() animator.animate(with: <#T##MDMAnimationTraits#>, between: [<#T##[From (Any)]#>, <#T##[To (Any)]#>], layer: <#T##CALayer#>, keyPath: <#T##AnimatableKeyPath#>) ``` ### Animating transitions ```swift let animator = MotionAnimator() animator.shouldReverseValues = transition.direction == .backwards let traits = MDMAnimationTraits(delay: <#T##TimeInterval#>, duration: <#T##TimeInterval#>, animationCurve: <#T##UIViewAnimationCurve#>) animator.animate(with: <#T##MDMAnimationTraits#>, between: [<#T##[From (Any)]#>, <#T##[To (Any)]#>], layer: <#T##CALayer#>, keyPath: <#T##AnimatableKeyPath#>) ``` ### Creating motion specifications ```swift class MotionSpec { static let chipWidth = MDMAnimationTraits(delay: 0.000, duration: 0.350) static let chipHeight = MDMAnimationTraits(delay: 0.000, duration: 0.500) } let animator = MotionAnimator() animator.shouldReverseValues = transition.direction == .backwards animator.animate(with: MotionSpec.chipWidth, between: [<#T##[From (Any)]#>, <#T##[To (Any)]#>], layer: <#T##CALayer#>, keyPath: <#T##AnimatableKeyPath#>) animator.animate(with: MotionSpec.chipHeight, between: [<#T##[From (Any)]#>, <#T##[To (Any)]#>], layer: <#T##CALayer#>, keyPath: <#T##AnimatableKeyPath#>) ``` ### Animating from the current state ```swift // Will animate any non-additive animations from their current presentation layer value animator.beginFromCurrentState = true ``` ### Debugging animations ```swift animator.addCoreAnimationTracer { layer, animation in print(animation.debugDescription) } ``` ### Stopping animations in reaction to a gesture recognizer ```swift if gesture.state == .began { animator.stopAllAnimations() } ``` ### Removing all animations ```swift animator.removeAllAnimations() ``` ## Main thread animations vs Core Animation Animation systems on iOS can be split into two general categories: main thread-based and Core Animation. **Main thread**-based animation systems include UIDynamics, Facebook's [POP](https://github.com/facebook/pop), or anything driven by a CADisplayLink. These animation systems share CPU time with your app's main thread, meaning they're sharing resources with UIKit, text rendering, and any other main-thread bound processes. This also means the animations are subject to *main thread jank*, in other words: dropped frames of animation or "stuttering". **Core Animation** makes use of the *render server*, an operating system-wide process for animations on iOS. This independence from an app's process allows the render server to avoid main thread jank altogether. The primary benefit of main thread animations over Core Animation is that Core Animation's list of animatable properties is small and unchangeable, while main thread animations can animate anything in your application. A good example of this is using POP to animate a "time" property, and to map that time to the hands of a clock. This type of behavior cannot be implemented in Core Animation without moving code out of the render server and in to the main thread. The primary benefit of Core Animation over main thread animations, on the other hand, is that your animations will be much less likely to drop frames simply because your app is busy on its main thread. When evaluating whether to use a main thread-based animation system or not, check first whether the same animations can be performed in Core Animation instead. If they can, you may be able to offload the animations from your app's main thread by using Core Animation, saving you valuable processing time for other main thread-bound operations. MotionAnimator is a purely Core Animation-based animator. If you are looking for main thread solutions then check out the following technologies: - [UIDynamics](https://developer.apple.com/documentation/uikit/animation_and_haptics/uikit_dynamics) - [POP](https://github.com/facebook/pop) - [CADisplayLink](https://developer.apple.com/documentation/quartzcore/cadisplaylink) # Core Animation: a deep dive > Recommended reading: > > - [Building Animation Driven Interfaces](http://asciiwwdc.com/2010/sessions/123) > - [Core Animation in Practice, Part 1](http://asciiwwdc.com/2010/sessions/424) > - [Core Animation in Practice, Part 2](http://asciiwwdc.com/2010/sessions/425) > - [Building Interruptible and Responsive Interactions](http://asciiwwdc.com/2014/sessions/236) > - [Advanced Graphics and Animations for iOS Apps](http://asciiwwdc.com/2014/sessions/419) > - [Advances in UIKit Animations and Transitions](http://asciiwwdc.com/2016/sessions/216) > - [Animating Layer Content](https://developer.apple.com/library/content/documentation/Cocoa/Conceptual/CoreAnimation_guide/CreatingBasicAnimations/CreatingBasicAnimations.html) > - [Advanced Animation Tricks](https://developer.apple.com/library/content/documentation/Cocoa/Conceptual/CoreAnimation_guide/AdvancedAnimationTricks/AdvancedAnimationTricks.html) > - [Additive animations: animateWithDuration in iOS 8](http://iosoteric.com/additive-animations-animatewithduration-in-ios-8/) There are two primary ways to animate with Core Animation on iOS: 1. **implicitly**, with the UIView `animateWithDuration:` APIs, or by setting properties on standalone CALayer instances (those that are **not** backing a UIView), and 2. **explicitly**, with the CALayer `addAnimation:forKey:` APIs. A subset of UIView's and CALayer's public APIs is animatable by Core Animation. Of these animatable properties, some are implicitly animatable while some are not. Whether a property is animatable or not depends on the context within which it's being animated, and whether an animation is additive or not depends on which animation API is being used. With this matrix of conditions it's understandable that it can sometimes be difficult to know how to effectively make use of Core Animation. The following quiz helps illustrate that the UIKit and Core Animation APIs can often lead to unintuitive behavior. Try to guess which of the following snippets will generate an animation and, if they do, what the generated animation's duration will be: > Imagine that each code snippet is a standalone unit test (because [they are](tests/unit/HeadlessLayerImplicitAnimationTests.swift)!). ```swift let view = UIView() UIView.animate(withDuration: 0.8, animations: { view.alpha = 0.5 }) ``` <details> <summary>Click to see the answer</summary> Generates an animation with duration of 0.8. </details> --- ```swift let view = UIView() UIView.animate(withDuration: 0.8, animations: { view.layer.opacity = 0.5 }) ``` <details> <summary>Click to see the answer</summary> Generates an animation with duration of 0.8. </details> --- ```swift let view = UIView() UIView.animate(withDuration: 0.8, animations: { view.layer.cornerRadius = 3 }) ``` <details> <summary>Click to see the answer</summary> On iOS 11 and up, generates an animation with duration of 0.8. Older operating systems will not generate an animation. </details> --- ```swift let view = UIView() view.alpha = 0.5 ``` <details> <summary>Click to see the answer</summary> Does not generate an animation. </details> --- ```swift let view = UIView() view.layer.opacity = 0.5 ``` <details> <summary>Click to see the answer</summary> Does not generate an animation. </details> --- ```swift let layer = CALayer() layer.opacity = 0.5 ``` <details> <summary>Click to see the answer</summary> Does not generate an animation. </details> --- ```swift let view = UIView() window.addSubview(view) let layer = CALayer() view.layer.addSublayer(layer) // Pump the run loop once. RunLoop.main.run(mode: .defaultRunLoopMode, before: .distantFuture) layer.opacity = 0.5 ``` <details> <summary>Click to see the answer</summary> Generates an animation with duration of 0.25. </details> --- ```swift let view = UIView() window.addSubview(view) let layer = CALayer() view.layer.addSublayer(layer) // Pump the run loop once. RunLoop.main.run(mode: .defaultRunLoopMode, before: .distantFuture) UIView.animate(withDuration: 0.8, animations: { layer.opacity = 0.5 }) ``` <details> <summary>Click to see the answer</summary> Generates an animation with duration of 0.25. This isn't a typo: standalone layers read from the current CATransaction rather than UIView's parameters when implicitly animating, even when the change happens within a UIView animation block. </details> ### What properties can be explicitly animated? For a full list of animatable CALayer properties, see the [Apple documentation](https://developer.apple.com/library/content/documentation/Cocoa/Conceptual/CoreAnimation_guide/AnimatableProperties/AnimatableProperties.html). MotionAnimator's explicit APIs can be used to animate any property that is animatable by Core Animation. ### What properties can be implicitly animated? UIKit and Core Animation have different rules about when and how a property can be implicitly animated. UIView properties generate implicit animations **only** when they are changed within an `animateWithDuration:` animation block. CALayer properties generate implicit animations **only** when they are changed under either of the following conditions: 1. if the CALayer is backing a UIView, the CALayer property is a supported implicitly animatable property (this is not documented anywhere), and the property is changed within an `animateWithDuration:` block, or 2. if: the CALayer is **not** backing a UIView (an "unhosted layer"), the layer has been around for at least one CATransaction flush — either by invoking `CATransaction.flush()` or by letting the run loop pump at least once — and the property is changed at all. This behavior can be somewhat difficult to reason through, most notably when trying to animate CALayer properties using the UIView `animateWithDuration:` APIs. For example, CALayer's cornerRadius was not animatable using `animateWithDuration:` up until iOS 11, and many other CALayer properties are still not implicitly animatable. ```swift // This doesn't work until iOS 11. UIView.animate(withDuration: 0.8, animations: { view.layer.borderWidth = 10 }, completion: nil) // This works all the way back to iOS 8. MotionAnimator.animate(withDuration: 0.8, animations: { view.layer.borderWidth = 10 }, completion: nil) ``` The MotionAnimator provides a more consistent implicit animation API with a well-defined set of supported properties. ### In general, when will changing a property cause an implicit animation? The following charts describe when changing a property on a given object will cause an implicit animation to be generated. #### UIView ```swift let view = UIView() // inside animation block UIView.animate(withDuration: 0.8, animations: { view.alpha = 0.5 // Will generate an animation with a duration of 0.8 }) // outside animation block view.alpha = 0.5 // Will not animate // inside MotionAnimator animation block MotionAnimator.animate(withDuration: 0.8, animations: { view.alpha = 0.5 // Will generate an animation with a duration of 0.8 }) ``` | UIVIew key path | inside animation block | outside animation block | inside MotionAnimator animation block | |:-----------------------|:-----------------------|:------------------------|:--------------------------------------| | `alpha` | ✓ | | ✓ | | `backgroundColor` | ✓ | | ✓ | | `bounds` | ✓ | | ✓ | | `bounds.size.height` | ✓ | | ✓ | | `bounds.size.width` | ✓ | | ✓ | | `center` | ✓ | | ✓ | | `center.x` | ✓ | | ✓ | | `center.y` | ✓ | | ✓ | | `transform` | ✓ | | ✓ | | `transform.rotation.z` | ✓ | | ✓ | | `transform.scale` | ✓ | | ✓ | #### Backing CALayer Every UIView has a backing CALayer. ```swift let view = UIView() // inside animation block UIView.animate(withDuration: 0.8, animations: { view.layer.opacity = 0.5 // Will generate an animation with a duration of 0.8 }) // outside animation block view.layer.opacity = 0.5 // Will not animate // inside MotionAnimator animation block MotionAnimator.animate(withDuration: 0.8, animations: { view.layer.opacity = 0.5 // Will generate an animation with a duration of 0.8 }) ``` | CALayer key path | inside animation block | outside animation block | inside MotionAnimator animation block | |:-------------------------------|:-----------------------|:------------------------|:--------------------------------------| | `anchorPoint` | ✓ (starting in iOS 11) | | ✓ | | `backgroundColor` | | | ✓ | | `bounds` | ✓ | | ✓ | | `borderWidth` | | | ✓ | | `borderColor` | | | ✓ | | `cornerRadius` | ✓ (starting in iOS 11) | | ✓ | | `bounds.size.height` | ✓ | | ✓ | | `opacity` | ✓ | | ✓ | | `position` | ✓ | | ✓ | | `transform.rotation.z` | ✓ | | ✓ | | `transform.scale` | ✓ | | ✓ | | `shadowColor` | | | ✓ | | `shadowOffset` | | | ✓ | | `shadowOpacity` | | | ✓ | | `shadowRadius` | | | ✓ | | `strokeStart` | | | ✓ | | `strokeEnd` | | | ✓ | | `transform` | ✓ | | ✓ | | `bounds.size.width` | ✓ | | ✓ | | `position.x` | ✓ | | ✓ | | `position.y` | ✓ | | ✓ | | `zPosition` | | | ✓ | #### Unflushed, unhosted CALayer CALayers are unflushed until the next `CATransaction.flush()` invocation, which can happen either directly or at the end of the current run loop. ```swift let layer = CALayer() // inside animation block UIView.animate(withDuration: 0.8, animations: { layer.opacity = 0.5 // Will not animate }) // outside animation block layer.opacity = 0.5 // Will not animate // inside MotionAnimator animation block MotionAnimator.animate(withDuration: 0.8, animations: { layer.opacity = 0.5 // Will generate an animation with a duration of 0.8 }) ``` | CALayer key path | inside animation block | outside animation block | inside MotionAnimator animation block | |:-------------------------------|:-----------------------|:------------------------|:--------------------------------------| | `anchorPoint` | | | ✓ | | `backgroundColor` | | | ✓ | | `bounds` | | | ✓ | | `borderWidth` | | | ✓ | | `borderColor` | | | ✓ | | `cornerRadius` | | | ✓ | | `bounds.size.height` | | | ✓ | | `opacity` | | | ✓ | | `position` | | | ✓ | | `transform.rotation.z` | | | ✓ | | `transform.scale` | | | ✓ | | `shadowColor` | | | ✓ | | `shadowOffset` | | | ✓ | | `shadowOpacity` | | | ✓ | | `shadowRadius` | | | ✓ | | `strokeStart` | | | ✓ | | `strokeEnd` | | | ✓ | | `transform` | | | ✓ | | `bounds.size.width` | | | ✓ | | `position.x` | | | ✓ | | `position.y` | | | ✓ | | `zPosition` | | | ✓ | #### Flushed, unhosted CALayer ```swift let layer = CALayer() // It's usually unnecessary to flush the transaction, unless you want to be able to implicitly // animate it without using a MotionAnimator. CATransaction.flush() // inside animation block UIView.animate(withDuration: 0.8, animations: { // Will generate an animation with a duration of 0.25 because it uses the CATransaction duration // rather than the UIKit duration. layer.opacity = 0.5 }) // outside animation block // Will generate an animation with a duration of 0.25 layer.opacity = 0.5 // inside MotionAnimator animation block MotionAnimator.animate(withDuration: 0.8, animations: { layer.opacity = 0.5 // Will generate an animation with a duration of 0.8 }) ``` | CALayer key path | inside animation block | outside animation block | inside MotionAnimator animation block | |:-------------------------------|:-----------------------|:------------------------|:--------------------------------------| | `anchorPoint` | ✓ | ✓ | ✓ | | `backgroundColor` | | | ✓ | | `bounds` | ✓ | ✓ | ✓ | | `borderWidth` | ✓ | ✓ | ✓ | | `borderColor` | ✓ | ✓ | ✓ | | `cornerRadius` | ✓ | ✓ | ✓ | | `bounds.size.height` | ✓ | ✓ | ✓ | | `opacity` | ✓ | ✓ | ✓ | | `position` | ✓ | ✓ | ✓ | | `transform.rotation.z` | ✓ | ✓ | ✓ | | `transform.scale` | ✓ | ✓ | ✓ | | `shadowColor` | ✓ | ✓ | ✓ | | `shadowOffset` | ✓ | ✓ | ✓ | | `shadowOpacity` | ✓ | ✓ | ✓ | | `shadowRadius` | ✓ | ✓ | ✓ | | `strokeStart` | ✓ | ✓ | ✓ | | `strokeEnd` | ✓ | ✓ | ✓ | | `transform` | ✓ | ✓ | ✓ | | `bounds.size.width` | ✓ | ✓ | ✓ | | `position.x` | ✓ | ✓ | ✓ | | `position.y` | ✓ | ✓ | ✓ | | `zPosition` | ✓ | ✓ | ✓ | ## Example apps/unit tests Check out a local copy of the repo to access the Catalog application by running the following commands: git clone https://github.com/material-motion/motion-animator-objc.git cd motion-animator-objc pod install open MotionAnimator.xcworkspace ## Installation ### Installation with CocoaPods > CocoaPods is a dependency manager for Objective-C and Swift libraries. CocoaPods automates the > process of using third-party libraries in your projects. See > [the Getting Started guide](https://guides.cocoapods.org/using/getting-started.html) for more > information. You can install it with the following command: > > gem install cocoapods Add `motion-animator` to your `Podfile`: pod 'MotionAnimator' Then run the following command: pod install ### Usage Import the framework: @import MotionAnimator; You will now have access to all of the APIs. ## Contributing We welcome contributions! Check out our [upcoming milestones](https://github.com/material-motion/motion-animator-objc/milestones). Learn more about [our team](https://material-motion.github.io/material-motion/team/), [our community](https://material-motion.github.io/material-motion/team/community/), and our [contributor essentials](https://material-motion.github.io/material-motion/team/essentials/). ## License Licensed under the Apache 2.0 license. See LICENSE for details.
{ "redpajama_set_name": "RedPajamaGithub" }
Home » Author Musings » QSF Likes Spartak! Great colors and design with worlds beyond full of possibilities. The group seeks to promote new voices in literature and help serious writers, often shut out of the chaotic and high walled traditional publishing world, find a platform. I admit to being hooked on all types of fiction and biographies, but I particularly like to sample the work of authors who self-publish or are in small presses. There are some dreadful books but also some shinning suns. And QueerSciFi tries to build an audience for their work. Way to Go QSF! I think it is both exciting and sad that we are in the midst of a revolution in publishing. It used to be that self-publishing, paying someone to print your book, was considered vanity publishing. Perhaps it was yet that staid world of publishing with snooty agents and publishers is crumbling. Parts will survive and others will wither. In that world and even today, many book reviewers and traditional publishers snarl, laugh, or just ignore many new talents, not bothering to look. Agents need to screen for publishers and publishers give many mainstream book reviewers their approved lists. Amazon has changed that world and Barnes&Noble, iBooks and other sources will now list such books, ebooks and soft/hard cover, for order and sale. Most newspapers will still ignore them but sites such as QSF and other online book sites are trying to make sure that new authors finds an audience. And for that, the world of literature is richer. Find Spartak on the January 25th posting.
{ "redpajama_set_name": "RedPajamaC4" }
TEXT : Psalm 23 vs 5b,Isaiah 30 vs 23, Amos 9 vs 13-14, Zec 10 vs 1. >The overflowing cup as we have considered in Ps23 vs 5. >The overflowing fullness of joy as promised by Jesus in John 15 vs 11. >The overflowing fullness of God Himself as stated in Ephesians 3 vs 19. >The overflowing fullness of the Holy Spirit as stated in Ephesians 5 vs 18. >The overflowing fullness of wisdom as recorded in Col 1 vs9. Daddy as you have promised in Isaiah 30 vs 23, please give me the rain of my seed in Jesus name. Father please from now on let the ground yield its full increase to my seed. Daddy, let my bread from now be fat and plenteous in Jesus name. Father please let me eat the fruit of my labour in Jesus name. Fill my cup Lord, I lift it up Lord, come and quench this thirsty of my soul, bread of heaven fill me till I overflow, fill my cup fill it all and make me whole. My prayer is that may the good Lord daze us with His overflowing abundance from now and henceforth in Jesus mighty name. Amen.
{ "redpajama_set_name": "RedPajamaC4" }
Fine and rare chronometer carriage clock, white enamel dial signed Dent chronometer maker to the Queen London. Timepiece fusee movement signed on the backplate Dent London and numbered 692. Dents staple balance with Earnshaw-type spring detent escapement.
{ "redpajama_set_name": "RedPajamaC4" }
Q: How can I mock this piece of code of Spring Boot using Mockito? Consider: return attachmentList.stream().map(attachment -> { AttachmentBO attachmentBO = new AttachmentBO(); attachmentBO.setId(attachment.getId()); attachmentBO.setTitle(attachment.getName()); attachmentBO.setType(attachment.getValue().get("type").toString()); attachmentBO.setCreatorId(attachment.getAuditUserId()); String[] filteredPermissionsForNote = this.filterPermissionCommand.filterPermissions(answer.getTopicId(), attachment.getAuditUserId(), topicDetails.getPermissions(), topicDetails.getEffectiveRoles(), true); attachmentBO.setPermissions(filteredPermissionsForNote); if (attachmentBO.getType().equalsIgnoreCase("URL")) { attachmentBO.setUrl(String.valueOf(attachment.getMediaInfo().get("url"))); } else if (attachmentBO.getType().equalsIgnoreCase("FILE")) { attachmentBO.setSize((Double) attachment.getValue().get("size")); } return attachmentBO; }).collect(Collectors.toList()); I have mocked the attachmentList using Mockito, so I am getting the attachmentList. But how should I mock the remaining code? I have even mocked filterpermission. A: Do not mock the list elements. Instead mock one level higher to return you a test list instead. To clarify: List<Attachment> attachmentList = List.of(RealAttachment1, RealAttachment2); // <-- Nothing is using Mockito here. when(someMethodWhichReturnsAttachmentList()).thenReturn(attachmentList); Then in your business logic: attachmentList = someMethodWhichReturnsAttachmentList(); // Mockito will return you the test list you created earlier. // You will now map the test List elements, as in a normal business logic return attachmentList.stream().map(attachment -> { AttachmentBO attachmentBO = new AttachmentBO(); attachmentBO.setId(attachment.getId()); attachmentBO.setTitle(attachment.getName()); attachmentBO.setType(attachment.getValue().get("type").toString()); attachmentBO.setCreatorId(attachment.getAuditUserId()); String[] filteredPermissionsForNote = this.filterPermissionCommand.filterPermissions(answer.getTopicId(), attachment.getAuditUserId(), topicDetails.getPermissions(), topicDetails.getEffectiveRoles(), true); attachmentBO.setPermissions(filteredPermissionsForNote); if (attachmentBO.getType().equalsIgnoreCase("URL")) { attachmentBO.setUrl(String.valueOf(attachment.getMediaInfo().get("url"))); } else if (attachmentBO.getType().equalsIgnoreCase("FILE")) { attachmentBO.setSize((Double) attachment.getValue().get("size")); } return attachmentBO; }).collect(Collectors.toList()); The business logic will return the List.of(attachments) you created in your test, and run through them all, including map/collect.
{ "redpajama_set_name": "RedPajamaStackExchange" }
The Taylor Changer Dresser is not only unique in style and design, but unique in the method of construction and its finishes. With its different color options, this furniture piece is sure to blend into any themed room. This designer piece is hand rubbed, and benchmade, using quality craftsmanship and traditional woodworking techniques, an art seldom used by most furniture manufacturers. It can be used either with the tray as a changer or on its own as a dresser. Two pull out shelves are hidden on either side of the dresser for easy access and extra space. The five drawer feature full extension ball bearing drawer slides as well as an internal locking mechanism that keeps the drawers secure at all times. It is important to note that because each wood is unique the paint finishes may vary. Finish treatments and the antiquing process will create a unique finish on each piece. Therefore color lots may vary slightly from batch to batch.
{ "redpajama_set_name": "RedPajamaC4" }
What is Tenure? Dean Jeff Milem Explains Dr. Jeffrey Milem, Professor and Jules Zimmer Dean's Chair at UCSB's Gevirtz School of Education In this episode, we talk to our first threepeat guest, Dr. Jeffrey Milem, the Jules Zimmer Dean's Chair of the Gevirtz School of Education at UC Santa Barbara, about the mysteries of tenure. Faculty tenure is a dream to some who feel it protects academic freedom, a scapegoat for those who feel it cushions professors from reality, and the truth is likely somewhere in between. Dr. Jeffrey Milem is Professor and Jules Zimmer Dean's Chair at UC Santa Barbara's Gevirtz School of Education. Dr. Milem came to UCSB in 2016. Before that he was the Ernest W. McFarland Distinguished Professor in Leadership for Educational Policy and Reform in the College of Education at the University of Arizona. Much of his research and academic career has focused on issues of access, social justice, and racial equity in higher education. Bits of Music You May Notice: Yo La Tengo, "Georgia Vs. Yo La Tengo," Los Lobos, "Revolution," Warren Zevon, "Accidentally Like a Martyr." This episode first aired on KCSB-FM 91.9 on May 19, 2022. PreviousScience, Education, and Taxidermy with SB Museum of Natural History's Jenna Hamilton-Rolle NextTeacher of the Year Joanna Hendrix Gets Deaf Students Off to a Strong Start
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Zillow, AOL Real Estate make partnership official Zillow took over powering home search from realtor.com operator Move in December by Paul Hagey The switchover happened last month, but Zillow and AOL Real Estate today made an official announcement about Zillow taking over powering AOL Real Estate's home search from realtor.com operator Move Inc. "We've watched Zillow become a leader and innovator in this space," said Susan Lyne, CEO of AOL's Brand Group, in a statement. "By introducing their powerful search tools across all screens we will create a better experience for our users, whether they are looking for the perfect home or just staying abreast of market trends." Move announced last month that it would no longer be powering search on AOL Real Estate, ending its two-year relationship with the site. Zillow began powering home and rentals searches on AOL Real Estate Dec. 18. When visitors to AOL Real Estate search for homes, results are framed on a version of zillow.com co-branded with the "AOL Real Estate" logo at the top. AOL Real Estate users also see ads that agents have purchased from Zillow. "Both Zillow and AOL Real Estate serve consumers with great content and information about homes, so this made perfect sense," said Zillow CEO Spencer Rascoff in a statement. Visitors to Zillow's home page who have previously visited AOL Real Estate now see AOL Real Estate's branding and a separate search box striped in a banner across the top of the page. They'll see that banner on Zillow's home page for as long as they keep their browser open. When they start a new session in the browser (without visiting AOL Real Estate), the banner will no longer show up on Zillow's site. Already the leader in Web market share, the addition of AOL Real Estate's Web traffic will further boost Zillow's lead over its competitors Trulia and realtor.com, who maintain their own networks. Zillow's real estate network also includes Zillow.com, the nation's most popular real estate search site; Yahoo Homes; and HGTV's FrontDoor.com. Zillow's relationship with AOL Real Estate is different than the one it established with Yahoo Homes in 2011, Zillow spokeswoman Cynthia Nowak told Inman News in December. In that deal, Zillow syndicates its for-sale and for-rent listings to Yahoo Homes, and sells ads featuring real estate agents and brokers on the site. Move and AOL Real Estate ending 2-year relationship Zillow powering home searches at AOL Real Estate in wake of Move's departure
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Breast Cancer Consortium – Archives Critical Thinking on Breast Cancer Breast Cancer Brand Breast Cancer Movement Breast Cancer International Breast Self Exam Celebrity Effect Cultural Resistance Fear Mongering Illness Narratives Pink Ribbon Lifestyle Pinktober Pinkwashing Sexual Objectification She-ro Trivialization Illustration by Slug Signorino: http://clatl.com/atlanta/do-pink-ribbon-campaigns-against-breast-cancer-do-any-good/Content?oid=2269485 Billions of dollars have been invested in breast cancer related programs, services, research, and awareness activities over the years. The Nonprofits There are more than 1,400 registered nonprofit entities in the United States doing something oriented to breast cancer. Of these, more than 300 have no revenues at all; about another 300 have revenues under $50,000; 300 more raise between $100,00 and $500,000; and some 200 have contributions between $500,000 and $15 million. Susan G. Komen for the Cure, the largest breast cancer charity, received $420 million in revenues in 2011, with $175 million from contributions and grants. In total, the nonprofit sector raises an estimated $2.5 to $3.25 billion for breast cancer in a given fiscal year. Between federal funding and the top five private foundations, the U.S. spends at least $1 billion annually on breast cancer research. No one knows how much is spent on all of those pink ribbon products and fundraising activities that are off the formal grid. Some have estimated that $6 billion is raised every year in the name of breast cancer. The "Thons" Every year tens of millions of Americans ask people to sponsor them for walks, runs, bike rides, and other "thons." The American Cancer Society's Relay for Life, one of the largest of these events, raised more than $400 million in 2010. The Avon Walk for Breast Cancer, a two-day walk with an $1,800 fund-raising minimum, was held in nine cities in 2010 and raised $58 million — with 52 cents on the dollar going toward logistics and promotion. Such events typically cost at least 50 cents for every dollar raised — compared with the nonprofit fundraising average of 15 to 20 cents per dollar. To defray the cost of walks many require participants to meet high fund-raising minimums that may entail badgering friends, family, and strangers for donations. Market Watch writes that the Susan G. Komen Race for the Cure urges participants, "to pester waiters and bartenders to donate the day's gratuities. Another Komen tip: "Tie a pink ribbon on your potential donor's finger and ask them not to remove it until they've made a donation." Other strategies involve mass emails, customizable websites, and other fundraising strategies and technologies. Tens of thousands of small-scale thons happen every year too, collecting money for schools, hospitals, cancer centers, and nonprofits, all vying for public space and donor dollars. The month of October fills the marketplace with pink-ribboned products and breast-cancer-awareness-themed events and fundraisers. Many people ask, "Where does the money go?" No one seems to know. There are simply too many companies, organizations, and promotions to track, and very few of them are transparent enough to evaluate. Cause marketing donations are estimated to reach $1.78 billion in 2013, for a range of causes. This amount pales in comparison to the profits companies bring in from their pink ribbon campaigns. While it is impossible to track exactly how much companies profit, there is a clear trend. Read More About Cause Marketing » Policies on Corporate Contributions With so many breast cancer nonprofits and companies ready to include them within their cause marketing portfolios, charities themselves would be wise to develop strong policies about corporate contributions and potential conflicts of interest. Important considerations may include, Does the company benefit more than the nonprofit? Is the cause-marketing arrangement transparent? What is the actual or anticipated portion of the purchase price that will benefit the charity? How long with the campaign last? (e.g., just during the month of October?) What is the maximum or guaranteed minimum contribution amount? (up to $50,000) How may the company use the nonprofit's name, logo, or other information? Does the mission of the company resonate with the nonprofit's mission? Does the company have policies or procedures that run counter to the nonprofit's goals or broader mission? Does the company or its subsidiaries work in any way to weaken or circumvent public policies or regulations that further the nonprofit's goals or broader mission? How does association with the company affect the organization's efficacy or political legitimacy? Does the company or campaign contribute to other social problems? Does the company use the color pink to better its reputation while selling or manufacturing products that increase breast cancer risk or have other negative health effects? Does the company sell or manufacture products or services involving cancer diagnosis or treatment? If so, will the organization's constituents and members be subjected to unwarranted influence? Does the company advertise its cause marketing relationships using inaccurate or misleading information about breast cancer? Does the campaign promote fear mongering or otherwise commercialize, trivialize, infantilize, and sexualize in the name of breast cancer awareness and fundraising? These are a few of the key factors nonprofits should consider when deciding to partner with a company. Without regard to systemic outcomes, social context, and reliable measures to monitor progress, pink dollars may ultimately diminish the value of the fundraising. Read About Fundraising Transparency » Copyright © 2020 Breast Cancer Consortium – Archives - All Rights Reserved. Privacy Policy
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
This webcam is currently assigned to martin-bochum.de. It was originally added on 27 novembre 2009 and has been viewed 173.868 times since then. The current picture above was taken 5 minuti fa, thereby the webcam seems to be currently active. So far, it was added to their personal favorites on webcams.travel by 4 people. West Germany / Ruhr district / Ruhr area / Bochum City over 60 pubs, pub garden, diners, cinemas, sports bar and cafe.
{ "redpajama_set_name": "RedPajamaC4" }
Shelf Awareness for Friday, July 20, 2012 Tim Waterstone: New Authors 'Need Physical Bookshops' "It's actually as simple as this. New authors, building their customer base, need physical bookshops. Physical bookshops are lovely tactile, friendly, expert, welcoming places. Physical books, which can only be seen and handled in physical bookshops, are lovely, tactile things. Destroy those bookshops, and the very commercial and cultural base to the book industry is destroyed. Once and for all. Like Humpty Dumpty, it can never be put together again." --Tim Waterstone in his Daily Beast post headlined "How We Lost Bookshops Thanks to Amazon and Publishers." Waterstone founded the eponymous British bookstore chain in 1982, sold the company to WH Smith in 1993, then bought it back in 1998 when he was chairman of HMV. He retired in 2001. The Hunger Games Trilogy Hits 50 Million Mark in U.S. As of yesterday, Scholastic now has more than 50 million copies of Suzanne Collins's bestselling the Hunger Games trilogy of books in print and digital formats in the U.S.: The Hunger Games (23 million-plus copies), Catching Fire (14 million-plus) and Mockingjay (13 million-plus). "Readers across the nation are captivated by the rich world and strong characters Suzanne Collins has created," said Scholastic president Ellie Berger. For Sale: Indie Bookstore, Cat Included Kathryn Wade, owner of Jinx Books, Fulton, Mo., is selling her 12-year-old shop, which includes the inventory as well as J.J., the Jinx Books cat. The storefront itself is rented, the Sun reported. After owning the downtown shop for more than four years and working there for nine, Wade is ready to retire. "It's been good, it's been fun, we've enjoyed it, but I'm tired," she said. "It's fun to say I own a book store... but I have other things I want to do." She added that the shop has "a base of regular customers, and we know them well and they know us." Wade recalled that before any discussion of selling the store began, "I starting telling people the cat was for sale for $25,000. I really, really hope we can get a buyer for it. If we don't have a buyer by Labor Day we'll start doing the clearance sale." Obituary Note: Robert W. Creamer Robert W. Creamer, a sportswriter and author whose books about Babe Ruth and Casey Stengel were praised as two of the best sports biographies of all time, died Wednesday. He was 90 Be the first to have an advance copy! The Midnight Lie Marie Rutkoski's The Midnight Lie is an enchanting, dynamic return to her world of The Winner's Curse. Nirrim forges passports that allow her fellow Half Castes to enter the city where the High Castes live, wearing bold colors and eating foods of which the lower castes can only dream. When a traveler arrives, Nirrim's eyes are opened to the wider world beyond the walls. FSG editorial director Joy Peskin and associate editor Trisha de Guzman "are not often drawn to fantasy" but were "swept away by Nirrim's world." The Midnight Lie, they say, "has a lush, magical world filled with intrigue and a spine-tingling, intense romance with complex characters and themes that take into account current conversations about sexuality, consent and power." --Siân Gaetano, children's and YA editor, Shelf Awareness (Farrar, Straus and Giroux, $18.99 hardcover, 9780374306380, 352p., ages 14-up, March 3, 2020) CLICK TO ENTER #ShelfGLOW Shelf vetted, publisher supported Image of the Day: Gary Snyder Reads Lew Welch Gary Snyder read from a newly expanded edition of Beat icon Lew Welch's Ring of Bone (City Lights) last week. Snyder brought Joanne Kyger, Tom Killion, David Meltzer, Peter Coyote, Jerry Martien, Steve Sanfield and Huey Lewis (who was Lew Welch's stepson) together for a standing-room only event at the San Francisco Library to celebrate the book's release. Szczerban Wins Second Annual Ashmead Award Michael Szczerban, associate editor at Simon and Schuster, has won the Ashmead Award, the prize honoring legendary book editor Larry Ashmead, who died in 2010. As part of the prize, he will attend the Yale Publishing Course: Book Publishing: Print and Digital next week and will have access to an advisory committee of preeminent editors in the publishing community. Szczerban graduated from Carnegie Mellon in 2007 with degrees in digital information systems and creative writing, started at Simon and Schuster in 2007 as an assistant managing editor and moved to editorial in 2009. Speaking for the selection committee, Jason Kaufman, executive editor at Doubleday, said, "Michael has all the qualities that Larry loved. He is the sort of whip-smart and eager young editor that Larry so admired, and he has already shown the great acumen and passion for book publishing that is the hallmark of a great editor." An Ode to Libraries Large, Small & in Unlikely Places "Without libraries, we'd be dumb," sang Daniel Handler and Maira Kalman (co-authors of Why We Broke Up) in their ode to libraries, which they performed during the American Library Association's convention last month. A perfect introduction to this brief tour of libraries that range from large to small, and are sometimes located in unlikely spaces: Searching for "libraries that were born from unused and abandoned structures, from the large (drill halls and supermarkets) to the small (phone booths and shipping containers)," Flavorwire highlighted "10 wonderful libraries repurposed from unused structures." In Bolton, Vt., the "prettily painted boxes on posts look like oversized birdhouses--except they have glass doors that allow passersby to see they are filled with books." The Burlington Free Press noted that the project is an outgrowth of the Little Free Library movement that started in Wisconsin. Book forest is the "first public bookcase in Berlin," the Bookshelf reported. Libri & Dintorni's Facebook page featured a Chevy Bookmobile Survivor (1949). Bookyard, a vineyard-turned-outdoor-library by Italian artist Massimo Bartolini in Ghent, Belgium, was also showcased by Flavorwire. Video Spoof of the Day: 'Amazon.com Yesterday' "Tired of waiting for packages to arrive?" asked the creators of a clever video introducing "Amazon's newest shipping option," Amazon.com Yesterday, which "delivers your package a day before it's ordered." Naples and Ballenger Join Zola Books Zola Books, a new company that aims to sell all e-books from all publishers on all devices and offer "a more open, mobile and social book-buying experience" and whose launch is on hold because of the Justice Department suit against Apple and five publishers, has made the following appointments: Mary Ann Naples has joined Zola Books as chief of business development and will head development of exclusive e-book partnerships with major authors. She was formerly v-p of business development at OpenSky. Seale Ballenger has joined Zola Books as head of marketing and publicity. He was formerly a v-p and group publicity director at HarperCollins, which he joined in 2004. He has worked in book and magazine publishing for 24 years, including stints at Simon & Schuster and Random House. Book Trailer of the Day: The Book of Gardening Projects for Kids The Book of Gardening Projects for Kids: 101 Ways to Get Kids Outside, Dirty, and Having Fun by Whitney Cohen and John Fisher (Timber Press). Media Heat: Paul Ingrassia on CBS's Sunday Morning Tomorrow on NPR's To the Best of Our Knowledge: David Maraniss, author of Barack Obama: The Story (Simon & Schuster, $32.50, 9781439160404). On CBS's Sunday Morning: Paul Ingrassia, author Engines of Change: A History of the American Dream in Fifteen Cars (Simon & Schuster, $30, 9781451640632). Sunday on CBS's Face the Nation: Neil Barofsky, author of Bailout: An Inside Account of How Washington Abandoned Main Street While Rescuing Wall Street (Free Press, $26, 9781451684933). TV: Outlander Sony Pictures TV, which has acquired the rights to Diana Gabaldon's bestselling Outlander series of novels, announced that Ron Moore, Battlestar Galactica's developer and executive producer, is writing the adaptation. Deadline.com noted that "Star Trek veteran Moore, repped by CAA, started his writing career on Next Generation and also spent five years on Deep Space Nine. He then served as co-executive producer/co-showrunner on the WB's Roswell and as executive producer/showrunner on HBO's Carnivale before segueing to Battlestar Galactica." GBO Picks A Hand Full of Stars The German Book Office has chosen A Hand Full of Stars by Rafik Schami, translated by Rika Lesser (Interlink Publishing, $15, 9781566568401) as its July Book of the Month. The GBO described A Hand Full of Stars this way: "Amid the turmoil of modern Damascus, one teenage boy finds his political voice in a message of rebellion that echoes throughout Syria and as far away as Western Europe. Inspired by his dearest friend, old Uncle Salim, he begins a journal to record his thoughts and impressions of family, friends, life at school, and his growing feelings for his girlfriend, Nadia. Soon the hidden diary becomes more than just a way to remember his daily adventures; on its pages he explores his frustration with the government injustices he witnesses. His courage and ingenuity finally find an outlet when he and his friends begin a subversive underground newspaper. Warmed by a fine sense of humor, this novel is at once a moving love story and a passionate testimony to the difficult and committed actions being taken by young people around the world. This book is not only suited for teenagers, it is also quite exciting to read for adults!" Born in Damascus in 1946, Schami came to Germany in 1971 and studied chemistry in Heidelberg. Today he is the most successful German-speaking Arabic writer with novels, including The Dark Side of Love and The Calligrapher's Secret, translated into 21 languages. Among awards he has won are the Hermann Hesse Prize (1994), the Hans Erich Nossak Prize (1997), the Mildred L. Batchelder Award (1991), the Smelik-Kiggen Prize (1989) and the Prix de Lecture (1996). He has also written plays, stories, essays and children's books. Book Brahmin: Amy Krouse Rosenthal Amy Krouse Rosenthal prompts her readers to look at things from a different perspective. Her book with Tom Lichtenheld, Duck! Rabbit! pointed out that two people can be looking at the same thing and see entirely different things. Now this same team's Wumbers, just released by Chronicle, reveals that numbers secretly hide inside many of our daily phrases. Here Rosenthal responds to our Book Brahmin questions in an, um, unusual way. She and Lichtenheld started their "2ur" this week. Okay, wow, that's kind of a weird command--"ON YOUR NIGHTSTAND NOW!"--but I'll do it. Favorite book when you were a child: Jonathan Eig Esme Raji Codell Ellis Weiner Oh, I'm sorry--I thought you said, "Your top, ON five authors." Reading (and other things one might do in bed) is, um, not something I fake. I tend to rave and preach about whatever book I'm reading/loving/obsessed with at the moment. And happily, there have been countless such books/moments. So it's more like an "evange-reallylonglist." This is a book I would for sure buy for the covers! From Our Town: Emily (In a loud voice to the stage manager) I can't. I can't go on. It goes so fast. We don't have time to look at one another. I didn't realize. So all that was going on and we never noticed. Take me back--up the hill--to my grave. But first: Wait! One more look. Good-by, Good-by, world. Good-by, Grover's Corners... Mama and Papa. Good by to clocks ticking... and Mama's sunflowers. And food and coffee. And new-ironed dresses and hot baths... and sleeping and waking up. Oh, earth, you're too wonderful for anybody to realize you. Do any human beings ever realize life while they live it?-- every, every minute? Our Town. Review: A Cupboard Full of Coats Cupboard Full of Coats by Yvvette Edwards (Amistad Press, $14.99 paperback, 9780062183736, July 31, 2012) A Cupboard Full of Coats is a slow-burning heartbreaker of a story, rich with the cadence and flavor of Caribbean immigrants in London's East End as the 14-year-old mystery at the core of Yvette Edwards's debut novel is revealed over the course of a long weekend. Jinx Jackson lives alone in the house where her mother was murdered by an abusive boyfriend. Haunted by guilt for her own role in the crime, Jinx has withdrawn from her life. She has no friends, she is unable to connect with her young son or his father, and her only solace--the only time she feels "pride, vanity, grief, sadness, loss, something"--is in her work as an embalmer. Just 16 at the time of her mother's death, Jinx has spent her adult life barricaded with her secrets and sufferings. But then Lemon, once a friend of her mother, knocks on her door. Still handsome, sharply dressed, smelling of rum and tobacco, Lemon bears upsetting news: Berris, her mother's killer, has been released from prison. Bound by their mutual complicated love for Jinx's tragic, beautiful mother and a shared burden of guilt over the events that led to her death, Jinx and Lemon begin the slow work of unraveling their painful history. Before her mother died, Jinx--traumatized by the violence that moved into her home when Berris did--was moved to tears by Lemon's simple affection. "Most things, all they want is a little gentle handling," he said to her once. Fourteen years later, Jinx still desperately needs some tender care. Lemon once again provides, melting her icy defenses with captivating stories, foot massages and powerfully nostalgic West Indian food. The food works on the reader, too; in fact, Edwards's sumptuous descriptions may be the best thing about the book. There is pumpkin soup, "saffron-colored and bursting with flavor"; lamb that falls from the bone; gravy "so spicy and compelling I found myself... sucking out every crevice of the bones, using my mouth like a bottom-feeder, my tongue like a young girl French-kissing an orange." These sensuous descriptions rival only those of the luxurious coats that hang untouched in Jinx's closet--the consolation gifts Berris gave her mother after every beating. With elegant restraint and a sensitivity uncommon in debut novels, Edwards slowly unfolds two stories--the circumstances of Jinx's mother's brutal murder and her redemption and release 14 years later--while nudging them toward the same emotional conclusion. --Hannah Calkins Shelf Talker: The psychological skeletons in Jinx's closet bear witness to the same grief as the coats in her cupboard, but it's time to finally confront the past in Yvette Edwards's elegant, heartbreaking debut. by Yvvette Edwards Deeper Understanding Robert Gray: Open Endings--The Art of the Unfinished Read We're finished! I know we had fewer than a hundred pages remaining until The End, but I can't go on like this. You were a fine book, with fully developed major characters, engaging minor ones, a setting that enveloped me in a deeply resonant sense of place and a plot that unfolded dramatically. It's not you; it's me. After a couple of decades in the book trade, I've become resigned to the unfortunate reality that I often "bail out" of books--even those I'm enjoying--for reasons rational and irrational. Maybe I lose a little reader's momentum in the early chapters, or a potentially more intriguing book comes along to tempt me; maybe the protagonist says something that ticks me off or my to-be-read pile nags me into looking for any excuse to head for the exit at intermission. Buffet reading was part of the job description when I was a bookseller. It was a survival tool. And yes, sometimes I even told a customer "I'm reading it" when I had bailed long before. An "unfinished" book is a different thing altogether because a much more substantial commitment is required to reach the unfinishing point. If bailing is a rational decision, unfinishing is subconscious and often inconclusive. "There are lots of books I've never finished," Roddy Doyle has said. "But there's only very few I've said I'm never going to finish, and a pile of books I'm going to get around to finishing." As I write this, signs of my tendency toward unfinished books can be found nearby. A novel (whose title shall remain nameless to protect the innocent author) has a marker tucked between pages 348 and 349. Though I have fond memories of the book, I don't know how it ends because 62 pages remain unread. I invested several hours of my reading life in it, yet at some point I simply looked away. "Is a good book by definition one that we did finish? Or are there occasions when we might choose to leave off a book before the end, or even only half way through, and nevertheless feel that it was good, even excellent, that we were glad we read what we read, but don't feel the need to finish it?" asked Tim Parks earlier this year in the New York Review of Books, where he concluded: "There is a tyranny about our thrall to endings. I don't doubt I would have a lower opinion of many of the novels I haven't finished if I had." In Jess Walter's Beautiful Ruins, the failed novelist says: "Do you remember, in Italy, you said you liked my book and I said I was having trouble finishing it? Do you remember what you said--'Maybe it's finished. Maybe that's all there is?' " A quick perusal of my bookshelves reveals more evidence that I'm a chronic unfinisher. Someone (Paul Valery is often cited) once said that a work of art is never finished, only abandoned. For readers, it's not quite so simple. We know there is an end in sight when we begin. Our abandonment isn't a surrender to the whims of creative fate, but a judgment rendered. Maybe I should begin a pilgrimage during which I read the last 50 pages of all these abandoned tomes in my collection. The highlight of my unfinished library is probably Fyodor Dostoevsky's The Idiot, which I've been reading for more than 40 years and in numerous editions, yet I'm still no more than three-quarters of the way through. It isn't that I don't love the book. I do. After all this time, however, I've become a little superstitious. I'm almost afraid to finish, as if it is somehow tied umbilically to my lifespan. Parks wondered "if it isn't perhaps time that I learned, in my own novels, to drop readers a hint or two that, from this or that moment on, they have my permission to let the book go just as and when they choose." Now there's an author who understands, even anticipates, my fondness for a broader definition of the open ending. So here's to the art of the unfinished read. May your eyes leave the page with all the electric grace of Glenn Gould's final arm movement as he plays the "end" of Bach's incomplete Fuga a 3 Soggetti, snatching his fingers from the keyboard as if shocked by the sudden realization of a musical precipice. The End. --Robert Gray, contributing editor (column archives available at Fresh Eyes Now) image: http://idlermag.com
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Juliette Hare O'Connor Curiosities Mixed Media Salvage Art of Historic New Orleans About Juliette Hare O'Connor & her Curiosities She's always been drawn to those things in New Orleans that are a little "off center" - things that are a little bit out there, you know - those darker sides of humanity. Juliette Hare O'Connor's work is a reflection of her interests in those things bizarre and weirdly fascinating. All things related to the crumbling decay of a New Orleans tomb - the decadence of old New Orleans Storyville - the beauty of old Mardi Gras invitations, and of course those unfortunate NOPD mug shots have a place in Juliette's work. Skulls, dragons, Voodoo potions & spells - all magical things. Juliette's art pieces are created with many of her own photographs taken since the early 1970s in and around the New Orleans region. They include tombs & graves, signage and historic buildings with nostalgic significant. Her Storyville and Unfortunate Mug Shot pieces are created with many of E.J. Bellocq's photographs of prostitutes circa 1912 and her personal collection of circa 1900-1925 New Orleans Police Department mug shots. She loves to bring back many memories of bygone New Orleans nostalgia with her assemblages, shrines and fetish boxes. Some include those neglected and abandoned iconic "Ain't 'Dere No More" places; along with aftermath images following the devastation of the City due to the levee breaches after Hurricane Katrina August 29, 2005. Juliette was invited to be a guest artist and speaker at the Kirkland Gallery of Millikin University in Decatur, Illinois on February 8, 2007. Twenty-eight pieces of her artwork was exhibited in the Kirkland gallery from February 8 to March 27 and visited by hundreds of viewers during several open houses for the University. She spoke to Professor Jim Schietinger's art students and staff members about how her work is created. A request of the audience was for Juliette to speak about her personal story of the Katrina flooding aftermath. In March, 2008 Professor Judy Fai-Podlipnika from The University of Southeastern Louisiana invited Juliette to speak at the Women in History Month event at the Hammond, LA campus library. Those Naughty Women of Storyville was presented to a standing-room-only crowd. The online DIY-Magazine's 2008 July-September issue featured Juliette and her work. In October, 2008 the Save Our Cemeteries organization selected two of Juliette's assemblages and her hand colored/distressed map of 1915 Storyville to be included in their annual Soiree Fundraiser Auction. In March, 2009 in the French Quarter's Hotel Monteleone Juliette was invited to be the guest speaker for the 150 member SECC Physician Group. Juliette was proud to have been selected as an artist for the 2009 New Orleans Jazz and Heritage Festival. She exhibited and sold her work in the Louisiana Marketplace area. In May, 2009 at a Warren Easton High School Hall of Fame Awards Event this Victorian wall pocket with Bellocq's "Striped Stockings" photo of a Storyville prostitute was presented to Oscar award winning actress, Sandra Bullock. Ms. Bullock has been very generous in her donations of money and time to Juliette's high school alma mater - Warren Easton High School of which Juliette is a proud 1964 graduate. From 1994 Juliette had been a contributor for many years to WYES-TV Art Collection 12 annual Art Auction. She is a former member of Save Our Cemeteries in New Orleans, which is dedicated to the preservation and restoration of the tombs and cemeteries of the city. Juliette currently works from her home studio - she exhibits and sells her work at the innovative ART IN THE BEND events, located at located in the Nuance Gallery at 728 Dublin Street, NOLA. These events are held the 3rd Saturday of each month and published on Facebook. The next event is Saturday, April 20 from 10 AM to 3 PM. Previously, she was a regular vendor at the New Orleans Arts Market located in Palmer Park and has been in the French Quarter Galleries: Nouvelle Lune and The Green Eyed Gator Gallery along with Gallery 421 in Covington, LA All have since closed. Proud to Call New Orleans Home Rebuilding -a better - and stronger WhoDat Nation! Need a speaker for your organization or group? Contact Juliette - she gives talks and presentations about... The New Orleans Cemeteries & Tombs The Storyville Madams and Prostitutes NOPD Mug Shots from the early 1900s. Find Juliette around the New Orleans region taking photos of cemeteries and tombs. Stop in on the 3rd Saturday of each month at The Art In The Bend at 728 Dublin St, NOLA (see Facebook for updates and featured artist info.) Want to talk to her? Give her a call: 504-456-6060/home or 225-241-5205/cell Juliette and her husband, Patrick,live in a suburb of New Orleans with their 3 rescue dogs. About Juliette Hare O'Connor ⬛ Assemblages/Shrines/Fetishes ⬛ The Creative Process ⬛ Find and Contact Juliette ⬛ Lagniappe and Other Stuff ⬛
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Філо Тейлор Фарнсуорт (; , Бівер, Юта — , Солт-Лейк-Сіті, Юта) — американський винахідник. Винаходи Понад усе відомий завдяки винаходу електронної передавальної трубки — «диссектора», створенню на її основі електронної системи телебачення та тим що вперше в Америці 1 вересня 1928 року публічно продемонстрував передачу рухомого зображення. Згодом диссектор не витримав конкуренції з «іконоскопом» Семена Катаєва і Володимира Зворикіна. Потім Філо Фарнсуорт працював над розробкою систем керування ракетами і керування ядерним синтезом. В кінці життя він винайшов невеликий термоядерний реактор, відомий також як фузор. Про життя Філо Тейлор Фарнсуорт народився в 1906 році в Юті в сім'ї мормонів і ще в дитинстві вирішив стати винахідником. Він мріяв про те, щоб так само, як звук, передавати по радіо зображення. Доля була неприхильна до нього, він не зміг отримати ґрунтовної освіти, але мав хороші руки і світлу голову. Перебравшись із рідного штату до Каліфорнії, він умовив декількох банкірів позичити йому грошей на створення телевізійної системи. У 1927 році молодий винахідник розробив передавальну електронно-променеву трубку «аналізатор зображення» (image dissector), яку він приєднав до вже існуючого приймального пристрою і запросив банкірів подивитися диво телебачення. Все, що вони побачили, було слабке зображення трикутника на світлому фоні. Банкіри не були вражені: вони вклали у справу великі гроші і хотіли знати, коли зможуть продавати систему і отримувати прибуток. «Ми коли-небудь побачимо на екрані хоча б долар?» — Запитав один з них. Через декілька місяців Фарнсуорт показав їм чітке зображення долара, а ще пізніше — кінематографічну версію шекспірівської п'єси «Приборкання норовливої». У 1930 році до Фарнсуорта приїхав Зворикін. Господар продемонстрував гостю свій аналізатор, і той, на велике задоволення автора, визнав його чудовим. Однак згодом, коли Фарнсуорт ознайомився з іконоскопом, він знайшов у собі мужність визнати, що прилад Зворикіна був кращим, ніж його власний: аналізатор не накопичував заряд, при дуже гарній освітленості зображення було прекрасним, але за чутливістю аналізатор значно поступався іконоскопу. Тим не менш, корпорація RCA, вбачаючи у Фарнсуорті конкурента, запропонувала йому продати їй його патентні права. Фарнсуорт був затиснутий у боргових лещатах і пішов на продаж ліцензії. Обидві передавальні трубки застосовувалися в телевізійних системах ще довго, до створення досконаліших пристроїв: іконоскоп — у передачах кінофільмів, аналізатор — у промисловому телебаченні. Примітки Посилання «Philo. T Farnsworth Archives» National Inventors Hall of Fame The Boy Who Invented Television; by Paul Schatzkin Випускники Університету Бріґама Янґа Винахідники США Персоналії:Технології телебачення Обрані до Національної зали слави винахідників США
{ "redpajama_set_name": "RedPajamaWikipedia" }
Alicia Stockman Singer Songwriter Folk Singer and Songwriter | Live Music About Alicia "Alicia… brings a fresh brave attitude to her music and performances. Her confidence is contagious and her choice of subject matter for her songs show a maturity beyond her years." – Houston Music Review Alicia Stockman is a singer-songwriter who connects with her audiences through memories, experiences, and stories. Her songs are intimate moments, meant to draw listeners in and leave them hanging on every word. Simple, but to the point. Strong rhythm guitar, creative yet tasteful phrasing, and soulful sweet vocals bring the experience full circle. She is influenced by the likes of Patty Griffin, the Indigo Girls, and Susan Tedeschi – all strong female vocalists and songwriters. She takes inspiration from stories, places, and memories to craft songs that draw listeners into an emotional journey. "These are songs about moments – moments that seem fleeting at the time, but we soon come to see them as a major turning point in our lives – that these small moments represent so much more." Stockman described. Alicia was recognized for her unique songwriting and performance formula with accolades from several performing songwriter competitions. In 2019, she took 2nd place in the Al Johnson Performing Songwriter Contest at the Wildflower! Arts and Music Festival in Richardson, Texas. She was a semi-finalist in the prestigious Songwriter Serenade contest held in Moravia, Texas also in 2019. In 2017, she won 1st place in the Suzanne Millsaps Performing Singer Songwriter Showcase held at the Utah Arts Festival. Currently, Alicia is hard at work writing new songs and performing as a solo singer-songwriter. She released a series of singles over the winter of 2018-2019, then compiled them into a 6-song EP and released it summer of 2019. She is currently playing shows throughout Utah and looking for her next tour route to take her to various cities across the country. Alicia's evolution into a Folk Americana Singer Songwriter did not happen overnight. Music started for her in 6th grade with the clarinet in wind orchestra. That foundation of musical knowledge proved useful when she picked up her dad's guitar in high school and taught herself how to play. She found the guitar to be a wonderful tool for self-expression, but she wanted to go farther. She wrote songs early on, but they didn't have an outlet beyond her college dorm room. Much to her surprise, she was recruited into a band in 2009 that ended up shaping her skillset and musical tastes over the years to come. For nearly a decade, she was the frontwoman of a loud, rock 'n roll, blues-influenced cover band that played just about every weekend at a bar or club of some sort. She eventually took over as band leader and ran the show: booking gigs, arranging rehearsals, hiring new members, and everything in between. Alicia began writing songs again, which led her band to release an EP in 2014. However, she realized that her songwriting style didn't always match up with the loud, dance-party vibe of her band. She branched out and started playing small restaurant gigs as a solo artist to try out her new songs with conveniently captive audiences. That was a turning point for Alicia. She found a home in the folk music genre and never looked back. Eventually, she was compelled to leave the band and fully pursue her path as a folk singer-songwriter. She quit her desk job in 2017 and continues to live and work as a full-time musician. R.I.Y.L. Patty Griffin, Indigo Girls, Brandi Carlile, Jason Isbell, Tift Merritt. Reviews + Press "Stockman's voice has a quality that instantly resonates for the listener. Her music is pure and raw magic and the band is tight. The result is fun folk-rock with Blues and a little Country flavoring. Stockman's voice is wonderful, and her writing is solid." – Staccatofy "[Alicia] brings her audience in closer with her beautiful acoustic songs about loneliness and heartbreak." – CityWeekly "[Alicia] takes her craft professionally and with an easy grace. She makes and keeps commitments, is communicative, on time, and gracious. These traits are so important to those who book musical talents. Alicia makes your job easy." – Christie Dilloway, KPCW The Morning Mix Email: alicia (at) aliciastockman (dot) com Booking: booking (at) aliciastockman (dot) com Join Alicia's Mailing List Get a free download of her latest single when you sign up! Help support Alicia by making a contribution in the amount of your choice. Thank you for supporting independent artists! © Alicia Stockman Music 2018
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Le tournoi de Nagoya est un ancien tournoi de tennis féminin du circuit professionnel WTA. Une seule édition a été organisée en 1995 remportée par Linda Wild en simple et la paire australienne Kerry-Anne Guse - Kristine Radford en double. Palmarès Simple Double Notes et références Lien externe Site de la WTA Navigation
{ "redpajama_set_name": "RedPajamaWikipedia" }
The future of flu vaccines just might come in a tiny, prickly patch. A majority of study participants said. The painless plaster, which contains tiny microscopic needles, could significantly improve the annual take-up for annual vaccinations, such as the flu jab, researchers believe. Scientists in the USA have developed a patch with microneedles containing a vaccine which would allow patients to immunise themselves. She mooted a situation where, in the case of a flu pandemic, microneedle patches could be distributed en masse, offering individuals a method of vaccination that did not require to visit a doctor or clinic, which would risk exposure to the virus. "These advantages could reduce the cost of the flu vaccine and potentially increase coverage". "The vaccine is stored in the refrigerator, and the used needle must be disposed of in a safe manner". But a new study, the first to investigate injuries caused by participation in recreational yoga, suggests yoga injuries may be up to 10 times more common than previously thought. "A particularly attractive feature is that this vaccination patch could be delivered in the mail and self-administered". Mr Booy said when the patch hits the market it will likely have a significant impact on the number of people getting vaccinated. Equipped with micro-needles, the patches vaccinated against influenza just as effectively as a standard flu jab, researchers reported in the medical journal The Lancet. And more than 70 percent of people who received the patch reported they'd rather use it than get a shot or even use nasal flu spray. Twenty minutes later - after the microneedles dissolve and vaccine is released into the body - the patch is removed and can be thrown away like a used Band-Aid, he said. Side effects were limited to mild redness and swelling that lasted for a few days. In this study, people couldn't be blinded to whether they had the patch or the injection, but they didn't know whether they had the placebo vaccine or the real one. Antibody responses generated by the vaccine, as measured through analysis of blood samples, were similar in the groups vaccinated using patches and those receiving intramuscular injection, and these immune responses were still present after six months. In one group the patch was administered by a health care provider, in the second it was self-administered by each participant, a third group received the vaccine via injection and a fourth group got a placebo. "By then, those microneedles will be completely dissolved within the skin, along with the vaccine". The patch could also save money because it is easily self-administered and could be transported and stored without refrigeration, and is easily dropped off after use without sharps waste. A team led by Prausnitz designed the dime-sized patch of microneedles used in the study. "It's very gratifying and exciting to have these patches tested in a clinical trial, and with a result that turned out so well". It offers the same protection as a regular vaccine, but without pain, according to its developers from Emory University and the Georgia Institute of Technology, who are funded by the US National Institutes of Health. Cyborg had been scheduled to fight Megan Anderson at UFC 214 on July 29, but the Australian was forced to pull out of the fight. A light heavyweight championship fight between Jon Jones and Daniel Cormier is slated to headline UFC 214 inside Honda Center. Google News for desktop has been redesigned with a new user interface (UI), story cards , dedicated fact Check block, and more. But the desktop version has only had relatively minor changes to the interface over the years, but this has finally changed. A spokesman for Manafort told The Hill that the filing Tuesday was unrelated to the ongoing Russian Federation investigation. Yet the document does not give any insights on Manafort's personal income from working for the party, the report added. While the tweet has now been deleted from Logue's account, he has not updated on if his son has been found. The actor is known for his roles on Sons of Anarchy , Vikings , Jerry Maguire , Runaway Bride and Zodiac . U.S. pharmaceutical company Merck said: "We confirm our company's computer network was compromised today as part of global hack". Yevhen Dykhne, director of the capital's Boryspil Airport, said it had been hit. It "recognized" Iron Man , and they're both prepared to shoot before the actual Iron Man swoops in and destroys the Hammer Drone. In an interview with the Huffington Post published Monday, Holland revealed that those fans are, in fact, correct.
{ "redpajama_set_name": "RedPajamaC4" }
UMPI presents Black Maria Film Festival Posted on October 16, 2017 in Featured, Press Releases An international juried film competition comes to town for a celebration of the art of movie-making when the University of Maine at Presque Isle presents the Black Maria Film Festival on Tuesday, Oct. 24, at 7 p.m. in the Campus Center. Festival Executive Director Jane Steuerwald will present the evening's offerings, from documentary to animation to narrative short films. This family-friendly event, made possible through a collaboration between UMPI and the University of Maine at Fort Kent, is free and open to the public. UMFK will host a festival tour stop on Oct. 25. This program, part of the Black Maria Film Festival's 36th Annual Festival tour, will be presented in-person by Steuerwald, and will feature a collection of stellar works touring with the festival this season. The selections include animation, narrative, and documentary films from the top award-winning works chosen by the festival jury. One of the featured films is Preparations for the Forest: A Portrait of David Footer by Daniel Mooney of Melrose, MA. Filmed over the course of four years, wildlife artist and taxidermist David Footer looks back at his life and his relationship with the natural world. Another featured film that will be shown at the festival is The Last Projectionist by Eugene Lehnert of Brooklyn, NY. This film is about a family struggling to keep their drive-in movie spot open or making the tough decision to close their business. Make them Believe by Taimi Arvidson of Brooklyn, NY, tells a story about a college student from Russia who wants to be a wrestler and fights all odds to do so. Immediately following the screening, Steuerwald will conduct a Q&A with the audience. The Black Maria Film Festival was founded in 1981 as a tribute to Thomas Edison's development of the motion picture at his first-in-the-world laboratory, dubbed the "Black Maria" film studio, in West Orange, NJ. The Festival attracts and showcases the work of independent filmmakers internationally. The film festival travels to locations from New Jersey to California, and as far away as the city of Rome, Italy. "We are so pleased to bring Jane Steuerwald and the Black Maria Film Festival to our campus," UMPI President Ray Rice said. "In just under 70 minutes, participants will get the opportunity to view a diverse body of works that have been curated specifically for our campus and community. We're looking forward to the screening and encourage all to attend this family-friendly cultural event." The Festival is a project of the Thomas A. Edison Media Arts Consortium, an independent non-profit organization in residence at New Jersey City University's Department of Media Arts. For more information about this special evening, contact Gayla Shaw in UMPI's Community and Media Relations Office at 207-768-9452 or email [email protected], or Jane Steuerwald, Black Maria Film Festival Executive Director, at 201-200-2043 or [email protected]. For more information about the Black Maria Film Festival, visit its website at www.blackmariafilmfestival.org.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Home Liberal Controversial Kyle Rittenhouse event to be hosted by Texas government facility (Raw... Controversial Kyle Rittenhouse event to be hosted by Texas government facility (Raw Story) Controversial Kyle Rittenhouse event to be hosted by Texas government facility – By Texas Tribune Staff (Raw Story) / Jan 21, 2023 The "Rally against Censorship" featuring Kyle Rittenhouse has found a new venue in Conroe, days after a local brewery pulled out of the event. The Jan. 26 event will now be held at the Lone Star Convention and Expo Center, a Montgomery County-owned facility. Rittenhouse has emerged as something of a conservative icon, building a minor anti-media and anti-censorship platform since being acquitted of fatally shooting two people at a Black Lives Matter protest in Kenosha, Wisconsin. The venue change follows days of back and forth between Rittenhouse, the event host Defiance Press and Southern Star Brewery, a privately owned business whose owner said it was inundated with threats, harassment and accusations of censorship after it announced it would not allow the event to be hosted there because of complaints from patrons. CONTINUE > https://www.rawstory.com/kyle-rittenhouse-2659290610/ Previous articleThere's lots of reasons this ridiculous national sales tax bill never made it to the House floor (Daily Kos) Next articleElon Musk Testifies His Tweets Don't Mean That Much In Shareholder Suit — Over A Tweet (Huffpost) Texas lawmaker says he was 'grossly misled' about white nationalist rally Politically Brewed - June 21, 2017 0 Now one would think a politicians staff would thoroughly research a group/speaking engagement before allowing them to appear. But hey, when one wants to...
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Can educators who happen to be white be effective with kids of color? The reason why many educators who happen to be white aren't effective with kids of color is simple: because they aren't willing to adjust and understand what that would mean for them to be outside of a limiting, deficit thinking, status quo, comfort zone. I'd trust my sons with Ron Clark any day of the week. It doesn't matter what your socialization or cultural upbringing is, but can you shift to find out what it means to inspire? Success with kids(or people) of color is not rare or uncommon, it is simply untold as much as it should be.
{ "redpajama_set_name": "RedPajamaC4" }
Many people think that renovating the bedroom is a costly project, one that will eat up thousands of dollars. But creating extra space or an illusion can be a cheap trick, and we have some in our sleeves. An easy solution for the blank wall in your small bedroom is a DIY artwork. Show your creative side with a hanging graphic quilt. The artwork is cheap solution, it masks the blank wall and adds character to the bedroom. Small bedrooms suffer most from lack of character which makes them look smaller than they are. When it comes to prints, they are great way to create optical illusions in small rooms. A powerful print is appealing to the eye and draws attention to it. However, a smart idea is to keep prints on accessories and accent pieces such as lampshades, pillows and similar objects. Do not go for a huge print. The walls are excellent source for space in the bedroom. Do not ignore them. One example is to use the walls to place floating nightstands next to the bed or adjustable lamps. Both ideas will save you room, as they are not place on the floor. Instead, the lamp and the nightstand is placed on the wall. In small bedrooms, you must stick to one theme, one color or one motive. Try to stay as consistent as possible with color and lines. For example, the colors of the headboard should be echoed by the decorations on your wall. If you want to create a flow in the bedroom, stick to one color, but use different shades and tones of it. Mounting a lamp on the wall eliminates the need for a nightstand. In the same time, you get an extra light source close to the bed if you want to read books at night. You can equip the lamp with a multi-watt bulb and tune the light according to your needs. Small bedrooms are usually painted in light shades, such as white, cream and light brown. While the light shades make the room look visually bigger, they look boring in the same time. The solution is to add pops of color on some of the accessories in the room. But be careful, don't go over your head with colors and be careful not to choose vibrant and vivid colors. They will ruin the effect of your light shades. Small bedrooms have little room for accessories, especially on the floor. However, every room could use a rug on the floor. In a small bedroom, yellow rug will provide a burst of sunshine and add style to your probably white bedroom. As you use the wall, you will notice that you can install more floating furniture pieces, not just a nightstand. For example, the desks and the dressers in your bedroom can also float. It just depends on what you need. You can turn your old drawers and other cast off objects into stackable shelves. The storage savvy solution can be your headboard. Start by positioning all the objects on the floor, and then fuss, fudge and fit until you create the perfect headboard. You can use fillers or you can leave openings for the wall to peek through. The corner in the bedroom, the spot where two falls connect to each other is often left unused. Considered by many a dead space, you can use it to make shelves, nightstand and much more. The shelves can store some of your books or little objects.
{ "redpajama_set_name": "RedPajamaC4" }
← SVPCA in Edinburgh…most spectacular of settings! The day Safari got inspired by yours truly! Remember this old painting… ? It was first released in Extreme Dinosaurs more than 13 years ago. It became famous enough for something extraordinary to happen… suddenly recently suddenly it became a Safari ltd 3D miniature(Oviraptor On Nest Version 2)! The work is so extraordinary and brought the paintings so accurately to "life" that I will be having some of these models in our booth at the coming 73rd SVP meeting in Los Angeles (last week of October this year… yes I'm going to be there!). It is interesting to note how coloration can become a signature of our own work and might be easily recognisable everywhere. Here are two other versions. But most importantly, my way of illustrating this specific oviraptors' parental scene (Citipati to be precise) has made it to murals like the ones I have included in the Hatching The Past exhibition that is running around the world at this present time, and (as sneak preview), here's the most recent update to the scene as revamped in this outtake for the Golden Book of Dinosaurs... soon to be released! The protagonists include Zalambdalestes and Estesia (the real egg thieves!) For me (and that is a lesson I'd like to pass to many of the devoted new paleoartists) the important thing is to be creative and original… no matter the tools, what really matters is to turn what you do into a blueprint of your own creation. You will then be recognised for what you are, not for what technique you use. This entry was posted in Dinosaurs, oviraptorosaurs, Theropods, Uncategorized and tagged Estesia, Hatching The Past, Oviraptor, Safari ltd, SVP, The Big Golden Book of Dinosaurs, Zalambdalestes. Bookmark the permalink. 4 Responses to The day Safari got inspired by yours truly! One of your best pictures. I really like the way you depict the parental cares of the dinosaurs and the unexpectedly sand storm that comes in the background, announcing bad times for the dinosaurs. One question: Gigantoraptor would be able to sit down on his nest or due to the great size it could be unable??? Thanks. Well, I don't see why Gigantoraptor would not have been able to sit on the nest… the nest and eggs were enormous (at least that is what the fossils are showing)! I did a restoration that is the opening illustration at my website (I might bring it over here). It seems that Oviraptorids were exceptional among dinosaurs in having eggs more or less proportional to their sizes… most (including sauropods) had really small eggs in comparison. Ok, I don't remember the fossil record. You can see a picture of the Gigantoraptor nest in my post regarding the Hatching The Past exhibition at the MUJA in Asturias Spain.
{ "redpajama_set_name": "RedPajamaC4" }
1990104 minutes €3.99 Rent HD €13.99 Buy From Tim Burton comes an unforgettable fairy tale starring Johnny Depp, Wynona Ryder, Dianne Wiest and Vincent Price as the Inventor. Once upon a time in a castle high on a hill lived an inventor whose greatest creation was named Edward. Although Edward had an irresistible charm, he wasn't quite perfect. The inventor's sudden death left him unfinished, with sharp shears of metal for hands. Edward lived alone in the darkness until one day a kind Avon lady took him home to live with her family. And so began Edward's fantastical adventures in a pastel paradise known as Suburbia. Cast and credits Alan Arkin, Vincent Price, Anthony Hall, Johnny Depp, Dianne Wiest, Winona Ryder, Kathy Baker Rotten Tomatoes® score Audio language English [Stereo] English [CC], French Rental Period Start within 30 days, finish within 48 hours. Google Commerce Ltd. You can play your content on supported devices. Popular with similar viewers The story revolves around a dying father (played by Finney, and McGregor as a young man) and his son (Crudup). Trying to learn more about his dad by piecing together the stories he has gathered over the years, the son winds up re-creating his father's elusive life in a series of legends and myths inspired by the few facts he knows. Through these tales, the son begins to understand his father's great feats and his great failings. © 2003 Columbia Pictures Industries, Inc. All Rights Reserved. Michael Keaton, Academy Award winner Geena Davis, Alex Baldwin and Winona Ryder star in director Tim Burton's comic twist on supernatural horror tales--Beetlejuice. When a couple of nice, young homebody ghosts (Baldwin and Davis) try to haunt the pretentious humans who have moved into their house, they ask for help from a demonic wraith (Keaton) they cannot control in this comic fantasy that mixes the quick and the dead with a laugh and a fright. After a spectacular crash-landing on an uncharted planet, brash astronaut Leo Davidson (Mark Wahlberg) finds himself trapped in a savage world where talking apes dominate the human race. Desperate to find a way home, Leo must evade the invincible gorilla army led by ruthless General Thade (Tim Roth) and his most trusted warrior, Attar (Michael Clarke Duncan). Now the pulse-pounding race is on to reach a sacred temple that may hold the shocking secrets of mankind's past - and the last hope for it's salvation! Based on Pierre Boulle's classic novel "Planet of the Apes," the premise for this film has become one of the most recognized and provocative concepts in the canon of science fiction literature and cinema. Visionary filmmaker Tim Burton (Batman, Beetlejuice, Edward Scissorhands, Sleepy Hollow) has taken Boulle's basic idea and built upon it a uniquely envisioned journey to an incredible upside-down world. Director TIM BURTON unleashes MARS ATTACKS!, a vicious, affectionate, brightly-colored homage to 1950s alien invasion movies. When a shiny silver flying saucer lands in the Nevada desert, a group of skull-faced Martians exit the gleaming craft. Although they claim to be peaceful, they promptly "vaporize" a gathering of unfortunate Earthlings, kicking off a bizarre high-tech war with wild special effects. This studiously campy sci-fi spoof, based on a series of Topps bubble-gum cards, gleefully parodies not only schlock B-horror movies, but also overblown blockbusters such as INDEPENDENCE DAY. This subversive film is helped along by an all-star cast including JACK NICHOLSON in dual roles as both a clueless U.S. President (with First Lady GLENN CLOSE) and a Las Vegas sleazebag. The film follows the wacky WAR OF THE WORLD--like proceedings from the points of view of numerous colorful characters, from the inane U.S. Press Secretary (MARTIN SHORT) to a trailer-park family (LUKAS HAAS and SYLVIA SIDNEY), singer TOM JONES (as himself).Copyright 1996 Warner Brothers. All rights reserved. MPAA Rating: PG-13 1996 Warner Bros. All Rights Reserved One of the most memorable romantic films ever and winner* of two Academy Awards®, Sam (Patrick Swayze), living as a ghost, discovers his death wasn't just a random robbery gone bad. To help him reconnect with the love of his life, Molly (Demi Moore), and solve his own murder, he enlists the talents of a skeptical psychic (Oscar®-winner Whoopi Goldberg), who doesn't even believe her own abilities. Ghost is a supernatural mystery-thriller that will cross over into your heart and never leave. Ghost will surprise you, delight you, make you believe. Patrick Swayze plays a ghost who teams up with a psychic (Whoopi Goldberg) to uncover the truth behind his murder -- and to rescue his sweetheart (Demi Moore) from a similar fate. "The word of mouth is that Ghost is a must-see romance," says Entertainment Weekly. Ditto to that! ©2022 GoogleSite Terms of ServicePrivacyDevelopersAbout Google Play| Language: EnglishAll prices include VAT.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Follow Up: April 2020 Florida Food Forum "Murky Waters: Water, Food and Society" 26 Apr 2020 9:45 PM | Administrator (Administrator) Follow Up: April Florida Food Forum Murky Waters: Water, Food and Society To keep the conversation going, please visit our forum on Murky Waters: Water, Food and Society here to add your thoughts and comments. On April 24th, the Florida Food Forum on Murky Waters: Water, Food and Society was led by Christopher Johns, Board member at the Florida Food Policy Council and Environmental Attorney. "The path that has led us to this level of development and interconnectedness around the world has been built, in large part, on having access to abundant amounts of water and clean water that is safe to grow food as well as drink," Chris said, "and we are approaching a point where we are starting to test the limits of our water supplies. Because of the characteristics of water and how it just exists in the world, the protection and regulation of it as a resource is incredibly complex and it brings up some issues that are really interesting." A native Floridian, Chris became interested in the impact water has on agriculture while working on his family's potato farm in Hastings. This curiosity eventually led him to pursue a law degree. Water is a basic fundamental thing that plays a fundamental role in society that we see today. "There's not a thing in agriculture that doesn't require water to grow. So, in addition to needing water for people to drink, we also need it for food production," Chris said. "So, when we talk about a sustainable future and sustainable water resources, agriculture is a big part of that conversation. Folks are growing food and feeding people, but there are secondary impacts and consequences to our production that we have to deal with." According to the USDA, about 80% of the consumptive uses of water are used for agricultural production. Why is protecting water resources so difficult? "Water is not stationary. It doesn't follow political boundaries. So that requires solutions that can create weird legal jurisdictional questions. It presents difficult situations, but it also opens an opportunity for more creative solutions," Chris explained. "If there is one thing I hope everyone can get from this talk, it is a sense of just how complex these issues are." Water is regulated at the federal level, state level and the local level. The Federal government has limited authority under certain areas that most people are familiar with such as water pollution, drinking water standards and wetland use and protection. States however, generally have the authority to control who uses water and how it's used. Chris gives the Clean Water Act as an example. "The Federal government sets big regulatory framework guidelines and then states hopefully implement the details and nuances of that." When it comes to water quality regulation, Chris continued by illustrating three main areas: watersheds, water quality and water use. In relation to wetlands, he clarified the difference between the federal rule for wetland regulation and state rule for regulation. At the Federal Level, the Clean Water Act regulates waters of the U.S. but it also provides one of the main sources of regulation for wetlands in Section 404. The Endangered Species Act and the Clean Air Act can also be used to protect watersheds. At the state level, wetlands are regulated under Chapter 373, which covers most of Florida's water resources. Chapter 373 also says water management districts along with DDP have to set minimum flows and levels for all surface and groundwater, which is another protective regulation. When it comes to the regulation of water quality, Chris pointed to the Clean Water Act and the Safe Drinking Water Act as the two main legislation found at the Federal level. States then have to create water detailed quality standards and enforce them generally with 3 components: designated uses, water quality criteria, and anti-degradation policy. What about issues specific to agriculture and water use? Chris discussed water pollution issues such as: nutrient pollution, pesticides and food safety. "When you are thinking about agricultural land and agricultural production, you have to think of wetland permitting and land use issues. And increasingly, another issue cropping up is arable land—land than can produce crops," Chris noted. "Maintaining agricultural practices that maintain the lands ability to produce food for long periods of time is also of significant concern." The presentation concluded with a big picture view. "Water is fundamental to society. There is no simple issue when it comes to managing water in a sustainable way. These issues don't exist in isolation. Water, whether we realize it or not, ties us together. If we want to be able to protect that resource and sustain the society that we built, we need to approach these issues with patience, understanding and humility, but also determination. In order to do that, we need regulations and public officials to focus on long-term solutions as opposed to expedient short-term fixes." A question and answer session followed the presentation which provided even more insightful questions on this important topic. Bio: Christopher Johns is a native Floridian, born and raised in Hastings, Florida. The son of a 4th generation farmer, Chris was raised helping his family on their commercial farm. After receiving his bachelor's degree from the University of Florida, he returned to his family's farm to help manage production of their potato crop. After returning to the farm, he participated in the Florida Natural Resources Leadership Institute, where he graduated a fellow of Class IX. Chris earned a J.D. with a certificate in environmental and land-use law from the University of Florida Levin College of Law. While in law school, Chris interned at Harvard Law School's Food Law and Policy Clinic. Today, Chris lives in West Palm Beach and works for Lewis, Longman & Walker, as an environmental attorney. He represents a spectrum of clients from local governments, to Indian tribes, to private landowners, including agricultural producers, on complex issues involving environmental permitting and natural resource protection and development. He remains interested in food policy and using his skills, experience, and insights to foster meaningful improvements to food systems throughout Florida. Follow Up: March 2020 Florida Food Forum "Women in the Food System" 30 Mar 2020 5:45 PM | Administrator (Administrator) Follow Up: March Florida Food Forum Women in the Food System To keep the conversation going, please visit our forum on Women in the Food System here to add your thoughts and comments. On March 27th, the Florida Food Forum on Women in the Food System was led by Rachel Shapiro, Chair of the Florida Food Policy Council. During the forum, Rachel hosted an interactive panel discussion with three amazing women who make up the Florida food system: Anna Prizzia, the Field & Fork Program Director and Campus Food Systems Coordinator for the University of Florida, Robin Safley, the Executive Director of Feeding Florida, and Carmen Franz, the Farm Director at Arden, a master planned "Agrihood" community in South Florida. The presentation began with introductions after which panelists were asked how their previous work in the food system impacted their current roles. "I guess the most basic role I play is as an eater," Anna said, "And as an eater, I think it has probably influenced my role in the food system most of all because when I was coming back from my stint in Peace corps, I had been eating so differently while I was there—right from the garden and butchering our own meat when we decided to eat meat. So, I really gained an appreciation for where my food comes from and wanted to have that same close connection to my food when I returned." Unable to find that same connection, Anna ended up founding a Slow Food chapter in her community. For Anna, this experience really cemented the role that she saw herself having, which was helping connect her community to the amazing resources available for local and sustainable food options and trying to make those more accessible. Robin's extensive background as a lawyer, then as Chief of Staff to the Florida Senate President and Chief of Staff to the Florida Commissioner of Education, enabled her to work in high levels of policy, which demanded an ability to problem solve and run programs efficiently. These skills helped her thrive in her position as Director of the Division of Food, Nutrition and Wellness at the Florida Department of Agriculture and Consumer Services. Through this position Robin became deeply invested in the institutional feeding programs and passionate about how to fix have gaps in the food system. "Food access and thinking about healthy food as a human right, but also the desire to leave the planet better than how I found it," are the things that inspire Carmen the most. After receiving her degree in political science and studying food policy at University of Florida, where she picked up a minor in crop production, Carmen's interest in food and farming grew. As the Fresh Access Bucks Manager for Florida Organic Growers, Carmen was able to become more involved in the Florida food system, closely working with state and local agencies and nonprofits across the state. "I really enjoyed that position and being able to work with underserved communities to increase their access and the affordability of healthy food," she said. "Now I'm enjoying my hands in the dirt, and I really enjoy the educational aspect of things. So being able to interact with residents and teaching people where food comes from, and how to prepare it and cooking is definitely my passion." "Why do you do it?" Rachel asked, explaining her curiosity as to what motivates and inspires women to commit so much energy to the food system. "One thing I've noticed," Rachel said, "is A) about 80% of those of us who show up and do the work are women and B) doing food system advocacy work takes a heck of a lot of commitment...So why do you stay up until 1 o'clock in the morning working on the initiatives of the non-profit and then get up at 6 o'clock in the morning to get food to the market? And why do you drive thousands of miles around the state without taking any food breaks or bathroom breaks so that you can show up and get food moved or people who need it? And why do you farm in the heat of Florida and make sure that your residents get their baskets of food every week?" "When someone calls you from Miami, who is wheelchair bound and has very poor eyesight and broken English and is hungry, and you can make a call and have someone deliver them healthy food and they are telling you 'God bless you! God bless you!' I think that's what drives me. And I think by nature probably everyone on this call is a high-achiever anyway. It's sort of what happens. So, I just take that energy that I have in life anyway and I've channeled it and have become extremely passionate about solving the food system issues, at least for Florida," Robin said. "I just always say…that if we can land something on Mars, why can't we figure out how to get healthy food to those who need it and in their environment at the price where they can afford it?" "Our food system, and so many of our systems have been built it a structure that just really doesn't work," said Anna. "It benefits a few at the exploitation of many. I want to believe that we can create a system that's truly sustainable. Where people are valued and cared for and that community is at the heart of the work that we do. And that people can make living wages and that people can eat healthy food that's grown in a way that honors the Earth and the people who are having to do the work." For Anna, the dynamic of believing in something and being an optimist who believes in sustainability, while also being a pragmatist that knows what is necessary to create changes effectively drives her work. "I'm very much so energized by the one on one interaction and seeing people light up about sharing recipes," Carmen added, "Hearing people share recipes and their cultural experiences and how they grew and what they grew and the whole history of food, is very inspiring to me…And I really get excited about is the opportunity to introduce people to food, and fresh food in cooking and sharing. That is what's mostly motivating me now." After explaining their reasons, Rachel noted that all three panelists mostly talked about other people as being the inspiration and drive for their commitment. That for them, it was about the joy and the wellness that other people experience, and about their connection with communities. "That," is what Rachel sees as a, "hallmark trait of people who do food system work." When it comes to the COVID-19 crisis, Rachel asked the panelists how their current roles had been impacted. "If you look at historical disasters," Robin said, "the model for the initial food movement deals with congregate feeding, like with Red Cross and Salvation Army. But with COVID-19 and social distancing, the food bank system has become front and center because we are capable of rearranging our model on pretty short order." Robin notes that in the last week, pressure on the Feeding Florida system has jumped to 35%. "One of the important things is to bring a sense of calmness to everyone… that the more that we can message, that our supply chain is solid as long as we don't put pressure on it." "It is very important that on the other side of this, and we will all get on the other side of this, that the ag community, no matter where you are within that community, is still viable and strong," Robin added, "It is interesting, the silver lining in a disaster is the humanity that you see in the uniqueness and creativity that rises to the top when people in our country have to figure things out. And I've seen it day in and day out, the ingenuity people are using and the creativity to continue to help each other." For Anna, her work at University of Florida has been greatly impacted as most programs have been suspended. Yet, the situation has brought a more highlighted focus to the production side of the work because the campus is still providing emergency food service through their food pantry on campus. Thus, Anna's focus has shifted to, "How do we do that safely? How do we do it appropriately?" while at the same time, shining a light on gaps and bright spots in how the local governments and communities support organizations and how well the mechanisms in place enable coordination. "A lot of my focus has been connecting the dots in some of those areas," said Anna, "and exploring ways in which we can help the people in the community connect to the resources and support services that people like Robin are developing. How do people know where to go to get that support? How do they find those resources? How can we have a unified and coordinated effort to communicate to our citizens in Alachua county about what's needed and how they can get it?" Rachel commented that this might be one of the bright spots to come out of this experience. That in order to get through this crisis, we actually have to improve how our food system functions. And as we come out on the other side of this, that we will actually come out with a stronger and more resilient food system. "Similarly to other farmers, we've adjusted how we distribute the food," explains Carmen. "We previously were doing market-style pickups. And now we are pre-bagging shares and delivering to people's homes twice weekly. We obviously had to cancel all of our workshops and events and postpone them to later. And we also have a small Florida-only retail space that we've unfortunately had to close. But we've moved to online sales and the local restaurant that caters food in our hub…we're starting home delivers from their restaurant to Arden restaurants so we can continue to support them in their time of need." Moving forward, Rachel inquired about the necessary policy changes rising to the surface? Anna said that there are two critical conversations that must be had. "The link between food insecurity and other issues in our community are so intertwined that it's hard to separate them. The reality is that the reason we have food insecurity is because people aren't making enough money to support their families. And so, they are having to make the decision between feeding their families and paying other bills…So it's some of those more basic needs conversations that are happening at the local and state level that I think are big." The second thing is, "the question about what is an essential service? Are farmers market's essential? Are restaurants that are providing food essential and how do we keep them open while keeping people safe? I think that this is one of the more important policy conversations happening right now." Carmen explained her hope for including immigrant families who work on farms in the stimulus. As they typically live in close quarters and bad conditions, they tend to be easily susceptible to health problems, which is a problem as healthcare and paid time off is not often accessible. "I would like to see more support for them to keep our greater food system running. And somehow figuring out a way to take SNAP purchases online," said Carmen. Some of the positive things that have come out of the crisis are pilots that have begun testing. Robin explained more about SNAP online purchases, "In the 2014 Farm Bill congress authorized 8 demonstration projects where SNAP recipients could do online ordering of food, because the current law is that you have to be in person when you use that asset…When this COVID-19 came up with its uniqueness about social distancing and staying at home, the first thing we thought was let's approach Washington to see if we can expedite those pilots…At the end of this, these pilots could be a shining star. And when you look at food access, delivery is probably the biggest thing that would be helpful even under blue skies for individuals to have access to healthy foods." Towards the end, panelists were able to address questions posed by attendees, and provided important information on resources. "The time is ripe for policy change," said Rachel, "and I think the environment is open to it now. I think that we are going to see some leaps and bounds." Resources on this topic: Fresh Access Bucks COVID-19 Updates and Resources COVID-19 Alternative Market Model Examples Online Sales Platforms for Farmers - Oregon Tilth Call to Action for Farmers Markets Feeding Florida Website University of Florida Field & Fork Website Working Food Website Arden Agrihood Website Host Bio: Rachel Shapiro is an experienced wellness professional and chef with a focus on the power of nutritious food to improve quality of life. Her research into the food system and the quality of the food we eat lead her to an interest in food policy and grassroots food activism. Out of a desire to be part of the solution for the challenges facing our food system, Rachel brings her nonprofit management experience coupled with her passion for systems and collaboration in service of the Florida Food Policy Council and the State. Anna Prizzia oversees the Field & Fork Program and works as the campus food systems coordinator for the University of Florida. She has 15 years of experience in sustainability and food system efforts, including working as statewide coordinator for the Florida Farm to School Program, management of sustainability efforts with institutional food service at UF, and serving on the boards of Slow Food Gainesville and the Alachua County Nutrition Alliance. Anna is the President of the Board and co-founder for Working Food (formerly Forage), a non-profit focused on supporting and sustaining local food efforts in North Central Florida. She received her B.S. in marine biology from the University of North Carolina, Wilmington and her M.S. in wildlife ecology and conservation with a certificate in tropical conservation and development from the University of Florida. She served in the Peace Corps at Vanuatu from 2004 to 2005. Anna is currently running for Alachua County Commission. When she isn't working she enjoys spending time in nature and seeing live music with her husband and 11 year old daughter. Robin Safley is Executive Director of Feeding Florida, formally known as Florida Association of Food Banks. In her role she oversees the lead organization in the fight against hunger in Florida with a statewide network of 12-member food banks and over 2,500 partner agencies that feed every community every day. Safley works to raise awareness of hunger, acquire food and financial donations, as well as work with state policymakers to garner additional support to find solutions to end hunger. Previously the Director for the Division of Food, Nutrition and Wellness under Commissioner Adam Putnam, Safley integrated Child Nutrition Programs from the Florida Department of Education into The Florida Department of Agriculture and Consumer Services. Previous public service included stents as Chief of Staff to the Florida Senate President and Chief of Staff to the Commissioner of Education. Safley holds a Juris Doctor degree from the FSU College of Law. Safley is an avid tri-athlete married to Sandy Safley and mother of two daughters Avery and Caldwell. Carmen Franz is the Farm Director at Arden, a master planned, "agrihood" community in South Florida. She and her partner grow organic vegetables and fruit for the residents through a CSA program and General Store at their 5 acre farm and barn. Carmen is passionate about growing and sharing food. Before Arden, Carmen managed a CSA in Tennessee. Earlier she directed Fresh Access Bucks, Florida's SNAP incentive program designed to increase underserved communities' access to fresh foods while increasing revenue for local farmers. She graduated from the University of Florida with a degree in Political Science, focusing on Agriculture Policy and Organic and Sustainable Crop Production, and later served as a Sustainable Agriculture Peace Corps volunteer in Panama. Follow Up: February 2020 Florida Food Forum "Food Politics: Equity in the Food System" 3 Mar 2020 9:00 AM | Administrator (Administrator) Follow Up: February Florida Food Forum Food Politics: Equity in the Food System If you were unable to attend the meeting, the full presentation is available online here. You can also download a pdf of the presentation here. To keep the conversation going, please visit our forum on Equity in the Food System here to add your thoughts and comments. On February 28th, the Florida Food Forum on Equity in the Food System was led by Candace Spencer, Policy Specialist at the National Sustainable Agriculture Coalition. "Food is a universal need. It crosses any type of barrier people would put in place between other people, whether it be race, class, gender, sexual orientation," Candace said in response to why she is dedicating her life to this work, "Everyone needs food, everyone needs to eat, and establishing equity in that area is a really great way to enhance equity in our society overall." Candace began by clarifying that as the topic of equity is vast, and that this presentation would be an introduction to the topic and a place to start a larger conversation around how people can bring this topic into their own work. Specifically, this talk focuses on racial equity and how to begin to center racial equity in the food system through policy. "If we look at the history of the food and the agriculture system in this country, it is based on two things: stolen land and stolen labor." Diving in, Candace describes the two main aspects of a successful agriculture system: land and capital. "Land was stolen from Indigenous people, and labor was stolen from enslaved African people who were brought to this country to work the land and to utilize it for the economic benefit of White people. That economic benefit was estimated by political scientist Thomas Craemer to be between $5.9 to $14.2 trillion dollars in current dollars." She notes that these things didn't happen in a vacuum. That in fact, they were supported and upheld by policies. "Policies are often used as a tool of systemic racism," she said. "One example is treaties with Indigenous people. They often weren't explained well or translated into Indigenous languages, completely ignored the idea of land ownership to Indigenous people, if that term even existed, or they just weren't followed—many treaties that were signed were completely broken by the federal government." Candace explains how the Homestead Act of 1862 provided generational wealth which is present to this day. "It was only available to White people, not to Black or Indigenous people, and allowed people to claim certain tracts of land. If they worked the land for 5 years, they were then able to maintain ownership of that land." Another important policy we still see today is the Farm Bill. "A notable way in which it upheld systemic racism is by delegating a lot of decision-making power to states and countries in the implementation of Farm Bill programs," Candace says, "This is important to note because something can either implicitly or explicitly uphold systemic racism. Because systemic racism is so prevalent, if something is not actively opposing it, it's implicitly upholding it. So, the Farm Bill allowed states and counties to decide on who received loans from the federal government, who had access to land, who had access to federal programs, and that control was used to discriminate, especially in the South, against Black farmers." Candace describes the lasting effects of these policies through notable statistics. According to the 2017 Ag Census conducted by the USDA, 95% of agricultural producers in this country are White and 1.4% of producers are Black. In another study performed by the Institute for Policy Studies, the results found that the average White household owns 86 times more wealth than its Black counterpart, and 68 times more wealth than its Latino one. So, where do we go from here? "Acknowledgement is the first step to righting wrong." Candace points out that acknowledging the reality that this system is built on structural inequity is critical to moving equity forward. And that if we are to apply this knowledge to policy and move equity forward through policy, we have to ask the right questions of the right people at the right time. The first question we need to ask is "Why?" Why is this policy the way it is? "We think about policy in two different contexts: If we have a policy that already exists, then we are trying to make it more equitable and if it's a new policy, then we are trying to make it equitable from its inception," she says. "In order to change any system or structure, you have to know how it came to be in the first place by getting to the root of the 'Why.'" The next question is "What?" What does it mean for a policy to be equitable? In this case, Candace notes that the best question to ask is, "Does the policy shift power?" That it's important to understand if the policy, program, or idea, shifts power from those who have it to those who don't. If it doesn't, then it's not advancing equity. The third question is "Who?" Who does this policy effect? In order to center equity in policy it is essential to have the input of those who don't have power. It's also important to remember that building a new system is going to require time. "Moving at the speed of trust." Candace says that engaging people who don't have power to get their honest feedback as to what is going to help them requires intentional, respectful and lengthy relationship building. The final question is "How?" How should we go about creating change? Context is key. "There are so many ways depending on the context. Most important is to acknowledge and be willing to listen, then to apply them to a specific context," she says. Candace's presentation was filled with rich layers on a topic that is sometimes difficult to discuss. At the end of the presentation, the forum was opened up for questions which led to a vibrant discussion. Lies My Teacher Told Me, James W. Loewen An Indigenous People's History of the United States, Roxanne Dunbar-Ortiz Stamped from the Beginning: The Definitive History of Racist Ideas in America, Ibram X. Kendi White Fragility: Why It's So Hard for White People to Talk About Racism, Robin DiAngelo Trainings – Racial Justice Training, Race Forward Uprooting Racism in the Food System, Soul Fire Farm DIA: Building Equitable and Inclusive Organizations, Equity At Work Food Justice and Policy Examples – Platform for Real Food, HEAL Food Alliance Food Sovereignty Action Steps, Soul Fire Farm New Roots, Lexington, KY Farmworker Association of Florida Agricultural Justice Project Coalition of Immokalee Workers The main webpage for the National Sustainable Agriculture Coalition: https://sustainableagriculture.net/ To sign up for information from the National Sustainable Agriculture Coalition on USDA programs: https://sustainableagriculture.net/subscribe/ Bio: Candace Spencer is a Double Gator and earned both her B.A. in Environmental Science and J.D. from the University of Florida, as well as a Certificate in Environmental and Land Use Law. She previously worked at the University of Florida Levin College of Law, where she developed a new program area in the Conservation Clinic focused on environmental justice and community economic development and engaged in local urban agricultural policy. Candace is passionate about equitable food systems and land ownership, particularly Black owned agricultural land and addressing food apartheid. She currently works as a Policy Specialist with the National Sustainable Agriculture Coalition in Washington, D.C. Follow Up: January 2020 Florida Food Forum "Food Politics: The Role of Food Policy in the Food System" 1 Feb 2020 8:40 PM | Administrator (Administrator) Follow Up: January Florida Food Forum Food Politics: The Role of Food Policy in the Food System If you were unable to attend the meeting, the full presentation is available online here. You can also download the PowerPoint presentation here. To keep the conversation going, please visit our forum on Food Politics: The Role of Food Policy in the Food System here to add your thoughts and comments. On January 31st, the Florida Food Forum on Food Politics: The Role of Food Policy in the Food System was led by Anthony Olivieri, Chair of the Development Committee at the Florida Food Policy Council and founder of FHEED LLC (Food for Health, the Environment, Economy & Democracy). Anthony begins the talk with one previous experience, when he made the realization that, "Health disparities—nutritional health disparities in particular—are not random. That food access and food health outcomes are clustered in areas of poverty and racial discrimination." This awareness changed the way he studied environmental planning, moving to a more environmental justice standpoint and eventually a geographic approach to food. Food Politics is a vast topic, therefore for this presentation Anthony focuses on the area of policy that citizens can affect on the ground and that citizens have a right to affect, which is land use policies. "Food itself can reflect policy." In his story about two carrots, one symmetrical, the other asymmetrical, Anthony makes the point that the policy of efficiency can actually be seen in the shape of the carrots. The symmetrical carrot is part of a larger system that prioritizes cost over community, where the size and shape of food must be maximized for the bottom line. Yet, the asymmetrical carrot is grown by the local farmer and everyone sees it being grown, which in turn plays a role in community building and connectivity. "Policies that shape the city, to a considerable extent, determine how we eat." One example that shows the importance of a food policy is the closing of the Miami "Roots in the City Overtown Urban Farm" in 2011. The community had been using public land to grow and sell produce to the community. However, as there was no specific policy that allowed for farmer's markets, the government was able to force the community to shut down the market to develop the land for other uses. When communities are aware of the power of food policy, they are able to thrive like the Dania Beach PATCH in Broward county. The community got together to create a new policy that would allow community gardens and farmer's markets on public lands, which enabled the Dania Beach PATCH garden and market to not only exist, but be able to apply for grants from the government. With the safety of a policy and strong infrastructure for funding, Dania Beach PATCH has flourished. Anthony says, in reference to Dania Beach PATCH, "If you have a policy to allow food growing, and the policy also says the food growing shall enhance the community cohesion, of the neighborhood and the city, and shall allow for program for people to experience food in multiple ways, you can get outcomes like this." Food is powerful. Food is political. Food is intimate. Anthony makes the case that, "Food has a major component of politics to it—a type of politics that awakens people." He shares a quote from McMichael, "the power of food lies in its material and symbolic functions of linking nature, human survival, health, culture and livelihood as a focus of resistance to corporate takeover of life itself," and uses the example of D-Town Farm. Run by the Detroit Black Community Food Security Network who advocates for justice in the food system, D-Town Farm is example of how local citizens can create stronger local economies and advocate for food justice. Anthony explains two frameworks through which citizens can advocate for their right to food. One is through food justice, which he explains is a strategy, a response, and a way to harness the power of food. "We see this being done not only at farmers markets but harnessed by our representatives." The other is through food sovereignty, which is "the right for people to produce and sell, and the right to control and define their own food systems." What is the food system? Anthony goes on to explain that a main part of the food system includes regulations and policies. Therefore, it is important to understand which policies citizens have the power to control. As land anchors food policy, we can harness land use policy to change how we control our food system. At the local level there are some tools that citizens can use to affect food policy such as comprehensive plans, land development regulations, community redevelopment agency plans and community master plans. Anthony highlights the elements of comprehensive plans and how to use them to enact change. He shows an example of a visionary policy in Fort Lauderdale's comprehensive plan, and its effect on the food system and explains that all municipalities in Florida are able to create such robust policies because of The Florida Community Planning Act: 163.3161. Because of this land use planning act, "all localities have the right to plan in the interest of public health…So, local government can preserve, promote, protect and improve public health and welfare," notes Anthony. "I think anyone of us can argue that policies that increase healthy food access and food sovereignty and food justice, do indeed improve the health, safety, and general welfare of a community." Participants were then asked to join in on the discussion, which lead to a robust conversation on ways citizens can increase food access in Florida communities. Bio: Anthony Olivieri, Chair of the Development Committee at the Florida Food Policy Council, is the founder of FHEED LLC (Food for Health, the Environment, Economy & Democracy), has a Masters in Urban & Regional Planning from FAU (2011) with a focus on community food systems, and a certificate in Geographic Information Systems (GIS). His specialties are geographic assessments of food and health disparities, program design for healthy food access initiatives, and public speaking about health equity. In addition to his consultancy, Anthony was a full-time instructor with the School of Urban and Regional Planning at Florida Atlantic University, where he developed and taught the region's first urban planning course on community food systems (2014-2016). A Fort Lauderdale resident since 1998, Anthony is originally from Cambridge, Massachusetts and has a B.A. in psycholinguistics from the University of Southern California (1994). Follow Up: December Florida Food Forum "Food Policy for Wellness" Food Policy for Wellness If you were unable to attend the meeting, the full presentation is available online here. You can also view the presentation slides in this pdf. To keep the conversation going, please visit our forum on Food Policy for Wellness here to add your thoughts and comments. On December 20th, the Florida Food Forum on Food Policy for Wellness was led by Dave Krepcho, President/CEO of Second Harvest Food Bank of Central Florida. In his talk, Dave covered many important areas such as: the intersection of food insecurity and health, the Central Florida response which included non-traditional partnerships and the Health and Hunger Task Force, and local pilots, projects and next steps. Dave began with the Mission of Second Harvest Food Bank of Central Florida: "To create hope and nourish lives through a powerful hunger relief network, while multiplying the generosity of a caring community." As a hunger relief network, Second Harvest Food Bank of Central Florida provides food to 600 various charitable feeding programs including food pantries, homeless shelters, soup kitchens, schools, hospitals and clinics over 6 counties: Orange, Osceola, Seminole, Brevard, Volusia and Lake. In total, they reach around 500,000 Central Floridians each year of which around 180,000 are children. Last year alone, they distributed close to 60 million meals. With a lack of affordable housing, healthcare, and public transportation in Florida, food insecurity is a serious result. "Florida has the 3rd highest number of food insecure children in the country," Dave noted, "74% of households receiving food from Second Harvest live in poverty, 50% exhaust snap benefits in two weeks, and 60% of households were employed in the past year." Dave went on to frame the cycle of food insecurity and chronic disease and how to look at food insecurity as a way to address social determinants of health. "Food insecure patients cost the health care system, on average, almost $1,863 more per year." One of the most serious effects economically of food insecurity is the rise in additional health care costs of up to $52.9 Billion as there is an increase in chronic disease treatment, diabetes hospitalizations, and hospital readmissions. By working with healthcare partners as a food bank, there is an opportunity to tackle food insecurity. Dave continued with the Health and Hunger Taskforce, a platform which launched in 2015 that focuses on goals such as: food insecurity screening, building value proposition for the work, measuring health outcomes. The taskforce serves as a platform for funding opportunities, knowledge transmission, and advocacy, all while leading the way to improve patient and community health. Currently, Second Harvest is working on a variety of short- and long-term pilots and projects to find innovate ways to fight food insecurity. Going forward, the organization is looking at specific areas such as: sustainability of healthy food costs, buy-in from the clinical community, increased awareness, utilization/integration into healthcare systems, addressing barriers, nutrition education expansion, and healthy food access/food as medicine institutionalized across the provision of healthcare. In regards to policy, Dave mentioned the Medicaid Waiver 1115, which enables compensation for "experimental, pilot, or demonstration projects that are found by the Secretary [of Health and Human Services] to be likely to assist in promoting the objectives of the Medicaid program." This kind of policy allows for increased research in this area which may foster long-term change. Following the presentation, Vice President of Agency Relations and Programs Karen Broussard joined the discussion which touched on a number of important topics. Second Harvest Food Bank of Central Florida Website Feeding America Website Bio: Dave Krepcho is President/CEO of Second Harvest Food Bank of Central Florida; a member of Feeding America, the largest domestic hunger relief organization in the U.S. Second Harvest Food Bank serves a six County area in Central Florida through a network of 550 partner agencies. Last year, Second Harvest distributed enough food for 58 million meals, have trained and placed into jobs 280 graduates of their Culinary and Distribution Center Training programs and generated $100 million worth of SNAP benefits through their award-winning mobile outreach program. Second Harvest's annual economic impact in Central Florida is $187 million. The organization annually receives Charity Navigator's Four Star rating. Dave has 26 years' experience in food banking in positions such as a national Feeding America Board member, past president of Feeding Florida, chair of the Feeding America eastern region, chaired various national task forces, member of a bi-partisan Washington, DC think tank, serves on the 4ROOTS Board as well as the Florida Nonprofit Alliance. He was the Orlando Sentinel's Orlando Sentinel's "2009 Central Floridian of the Year" and in 2019, Orlando Magazine's "50 Most Powerful People: Philanthropy & Community Voices." Prior to his role at Second Harvest, Dave was V.P. of Business Development at Feeding America. Before he reinvented himself as a food banker, he had a career in the Advertising Agency business and attended Columbus College of Art & Design. Dave is married with two children, seven grandchildren. Follow Up: November Florida Food Forum "Food Waste and Food Banks: An Evolving Strategy" 19 Nov 2019 12:44 PM | Administrator (Administrator) Food Waste and Food Banks: An Evolving Strategy To keep the conversation going, please visit our forum on Farm to School here to add your thoughts and comments. On November 15th, the November Florida Food Forum on Food Waste and Food Banks: An Evolving Strategy was led by David Vaina and Krista Garofalo. David is the Senior Director of Strategic Initiatives and Krista is the Chief Resource Officer at the Treasure Coast Food Bank in Fort Pierce, Florida. The presentation covered many topics including: food waste and sustainability, innovate strategies to combat food waste, effects of current programs and policies on food waste and food banks, and future initiatives that could lead a change. "About 40% of food produced in the US goes to waste, about 62.5 million tons of food waste every year, which equals about 218 billion dollars annually that's never consumed. 10.1 million tones are left unharvested on farms and 52.4 million ends up in landfills." David went on to explain that traditionally food banks have long focused their efforts with grocery stores. "The Feeding America network collectively annually 4.5 billion pounds of unsellable food," said David. Through grocery rescue programs, millions of pounds of food are rescued and distributed. However, there is waste in all levels of the food system. In fact, "80% of food waste occurs in consumer homes, restaurants and institutions," David noted. Thus, it is interesting to see food banks continue to work to address their traditional role of alleviating hunger and poverty while moving towards a more sustainable framework. Krista continued the talk by speaking about innovative things food banks are doing including collaborating with non-traditional partners like organizations that help children and seniors, talking to farmers, growers and ranchers, and schools and organizations that are usually not involved in a food bank's structure. Programs such as Meals for Miles and the Meal Connect Program that specialize in just in time food runs allow for food donations that have a short shelf life. Also, as more individuals are volunteering, personal vehicles are being used to pick up food directly. "Because volunteers and partner agencies directly with food donor it helps ensure food is collected before expiration," said Krista. David continued by speaking about innovations at food banks around the county such as in San Diego, where one food bank purchased a zero-landfill food waste composter that allows them to donate the resulting compost to local farms and food gardens. As California has a policy that requires businesses to separate organic food scraps from traditional waste, it also has an impact on the amount of food that is collected by this food bank. Other states also have similar policies, like Vermont which has a universal recycling law that requires all organic waste produced in the state be diverted from landfills. The presentation then shifted to current programs policies that affect Florida. One of the strongest federal policies that protects donors and encourages them to participate in donation is the Bill Emerson Good Samaritan Food Donation Act. In Florida, the statewide program Farmers Feeding Florida further encourages donations as it allows farmers to receive a tax deduction for their donations. "It's a system that offsets the cost of Florida grown crops that can't be brought into the market. Twenty percent of produce doesn't make it into the supply chain because of cosmetic reasons or market shifts. This program helps farmers find a market – food banks—that is distributed through the food banks around the state," Krista explained. As for policy reform, Krista spoke about the importance of bill HR3981 Food Date Labeling Act of 2019, which speaks to standardize date labels across the U.S. "Currently most food dates only indicate the peak quality of a product. A lot of food is thrown out prematurely because of confusion related to these food date labels." Towards the end of the talk Krista laid out seven main things they would like to see going into the future: further tax incentives, liability protections on the state level, date labeling education, better use of food safety procedures, more funding for school projects, organic waste bans, and general Government support. The presentation was followed by a lively Q&A session. Specific links to articles and policies were also shared and can be found below. Civil Eats "Where Do Food Banks Fit in to the Fight for a Green New Deal?" FDACS Food Recovery Program Forbes - "FDA, USDA and EPA Team Up With Food Waste Reduction Alliance" Winning on Reducing Food Waste FY 2019-2020 Federal Interagency Strategy, MOU 225-19-003 Florida FORCE Project Food Waste Warriors Hotel Kitchen Toolkit David Vaina is the Senior Director of Strategic Initiatives at Treasure Coast Food Bank. As such, he leads the organization's workforce development, client services, social equity initiatives, data analytics, and evaluation initiatives. Before returning to Treasure Coast Food Bank in November 2019, he was the statewide Education & Outreach Director for the Gainesville-based Florida Organic Growers and taught organic gardening at Santa Fe College. For many years now, he has written and presented on local food systems, organic farming and gardening, GMOs, and fermentation. Krista Garofalo is the Chief Resource Officer at the Treasure Coast Food Bank in Fort Pierce, Florida. She has 17 years of experience in marketing communications, program development, project management, and advocacy in the non-profit field. For her body of anti-poverty work, Krista was named a member of the National Advisory Council on Maternal, Infant, and Fetal Nutrition of the U.S. Department of Agriculture and been invited to speak at learning conferences hosted by various national organizations, including Feeding America, Food Research & Action Center, and the American Commodities Distribution Association. She holds a Masters in Public Administration with certificates in Non-Profit Organizations and Women's Studies from the University of Georgia and a Bachelor of Arts in Communication Studies with a minor in Women's and Gender Studies from The College of New Jersey. Follow Up: October Florida Food Forum "Farm to School" 26 Oct 2019 9:47 AM | Administrator (Administrator) If you were unable to attend the meeting, the full presentation is available online here. You can also view the presentation in this pdf. On October 25th, the October Florida Food Forum on Farm to School was led by Jeannie Necessary. During the presentation, she gave an overview about Florida's SNAP-Ed and UF IFAS/Extension Family Nutrition Program (FNP), FNP regional specialists, and farm to school initiatives. Jeannie explained the mission of UF IFAS/Extension Family Nutrition Program is to help, "limited-resource families in Florida access more nutritious food choices on a budget and adopt healthier eating a physical activity habits to reduce the risk of obesity and chronic disease." Currently the program provides free nutrition education in 40 counties to SNAP-eligible Florida families. The FNP Program focuses on three main areas: creating healthy schools, creating healthy communities, and creating healthy child care centers. Jeannie introduced specific programs and initiatives related to creating healthy schools like: farm to school gardens, school to garden cafeterias, the Alachua County Food Hub, and Florida Crunch. One policy that was highlighted in the presentation was the Miami-Dade County Public Schools Food and Nutrition Procedure B-18, whose purpose is to incorporate school garden produce into the school food service program. Jeannie noted that this kind of policy enables gardens in schools to act as a learning lab for students and teachers to be able to participate in a specific type of learning that involves touching, feeling, smelling, harvesting and understanding where food comes from. "I'm happy to say that I've seen over the years so many students change their minds about whether they liked radishes at the beginning of the school year. Once they planted and tasted them, they did enjoy radishes. And understanding that a cucumber…actually comes from a plant." In areas where schools are interested in creating similar policies, it is possible to take Miami-Dade's policy as an example to educate school districts as "the policy focuses on food safety and the best and safest way to incorporate produce into the school food service program." Following the presentation, attendees gave perspectives and asked various questions about the topics presented. Jeannie is employed at the University of Florida IFAS Extension Family Nutrition Program as the State Food Systems Specialist. She holds Bachelor degrees in communications and political science from the University of Miami. Jeannie has more than 13 years of experience with childhood nutrition programs focused on gardening, cooking, and food insecurity. Read more • Comments (1) Follow Up: September Florida Food Forum "Animal Welfare" 30 Sep 2019 9:00 AM | Administrator (Administrator) To keep the conversation going, please visit our forum on Animal Welfare to add your thoughts and comments. On Friday, September 27th guest speaker James Wildman presented on the topic of Animal Welfare. James began his presentation by discussing the Gestation Crate Ban, which was first passed in 2002 and officially took effect on November 5, 2008. The ban reads as such: "Inhumane treatment of animals is a concern of Florida citizens. The people of the State of Florida hereby limit the cruel and inhumane confinement of pigs during pregnancy as provided herein. (a) It shall be unlawful for any person to confine a pig during pregnancy in an enclosure, or to tether a pig during pregnancy, on a farm in such a way that she is prevented from turning around freely." – Constitution of the State of Florida, Article X, Section 21. James went on to discuss resolutions that would condemn and restrict "battery cage egg production" in certain cities across Florida in 2007. He also introduced the 2011 bill SB 1636, which although failed, would have prohibited tethering or confining of hens and calves in a specified manner. Along with egg-production, dairy and cattle farming are some of Florida's largest animal industries. Yet, in 2018, James noted how, "undercover videos of the horrific mistreatment of two dairy farm workers led to public outcry and led to Public Supermarkets to suspend deliveries of milk from the farms." In fact, he said, "over the past decade the animal-agriculture industry has been behind the introduction of 'ag-gag' bills in more than half of all state legislatures across the country. These bills are designed to silence whistleblowers revealing animal abuses on industrial farms." In Florida, ag-gag bill SB 1184 was introduced by Senator Jim Norman in 2012. According to the bill, "A person may not knowingly enter upon any nonpublic area of a farm and, without the prior written consent of the farm's owner or the owner's authorized representative, operate the audio or video recording function of any device with the intent of recording sound or images of the farm or farm operation." Although the bill was rejected in both the House and the Senate, James points out how ag-gag laws can the negative aspects of these laws, "Ag-gag laws pose a threat to a wide spectrum of values and issues Americans care about. It's not just animal rights activists who oppose Ag-gag laws. Besides, animal welfare ag-gag laws threaten: food safety, marketplace transparency, workers' rights, free speech and environmental protection." James continues his presentation touching on other topics such as the growing alternative dairy industry and plant-based foods market. With these new foods have also come proposed bills restricting the use of certain words such as: meat, beef, burger, sausage, and jerky, unless the product came from animals born, raised and slaughtered in a traditional way. As interest in plant-based foods increases a number of restaurants have added these items to their menus. James touched on the positive health benefits of this shift. Following the presentation was a lively discussion. James Wildman is the Humane Educator for the Animal Rights Foundation of Florida (ARFF). Since 2007, James has given over five thousand presentations at over a hundred different schools and universities in South Florida, teaching respect and compassion for animals and the environments we share. These presentations have reached over a hundred thousand people, empowering youth and adults to live a healthier and more compassionate lifestyle. In 2017, James was featured in the documentary "Food ReLOVution." James has worked with youth for over 20 years, and in 2006, he obtained a master's degree in Humane Education. Follow Up: July Florida Food Forum "Cottage Industry" 30 Jul 2019 8:00 AM | Administrator (Administrator) Cottage Industry To keep the conversation going, please visit our forum on Cottage Industry here to add your thoughts and comments. On Friday, July 26th, Ann Nyhuis led the July Florida Food Forum on Cottage Industry. During her presentation, Ann covered many topics including: where to access knowledge on Florida Cottage Food, licensing and training requirements, mandatory labeling practices, and how to stay up to date on cottage regulations. Ann started her talk by outlining Florida's legislative guidelines regarding cottage foods and important things to consider before starting a cottage business. She spoke about food permits and exemptions from permits, like cottage food operations, then went into detail about approved and prohibited sales locations and methods of sales. Next, Ann dove into an important but sometimes overlooked topic: food labels. "Cottage Food operations may only sell cottage food products which are prepackaged with a label affixed that contains specific information (printed in English). This label must include, 'Made in cottage food operation that is not subject to Florida's Food Safety Regulations.'" In addition, depending on the ingredients in the product, a business might need to apply for a wholesale or manufacturers license through the state. Because of this, Ann emphasized the importance of contacting a consumer service specialist from the Florida Department of Agriculture. The talk continued with a lively question and answer session, where Ann continued to share her exceptional knowledge. Ann's presentation contained a robust amount of information about Florida's Cottage Industry and is a great starting point for entrepreneurs looking to start a cottage operation in Florida. Local PSA Grower, Ann Nyhuis, expanded her passion to the "glory" of sowing non-gmo seeds in harmony with nature, into best practices (no chemical use) producer of microgreens and specialty plants. Her company is further recognized as the first Certified Naturally Grown producer for eastern Florida, and has won several awards (locally and nationally) on their preserves, jams and jellies. A few are even referenced in the "Friends Share Recipes" dedicated cookbook published by the Friends of the Arthur R. Marshall Loxahatchee National Wildlife Refuge. (All proceeds go towards protection of the Refuge's wildlife and the preservation of the Refuge habitat.) More recently, A Garden's Glory broadened accessibility of its vibrant, nutrient dense superfoods to "Microgreens mini-grower kits" for the home user to effectively enjoy (with ease) PIATTO FRESCO - "health...on a fresh plate"; and, trademarked a new, exclusive line of delicious preserves this year. Visit www.agardensglory.com to learn more! Follow Up: June Florida Food Forum "Food Processing for Small Producers" 2 Jul 2019 11:00 AM | Administrator (Administrator) Food Processing for Small Producers If you were unable to attend the meeting, the full presentation is available online here. You can also view the presentation pdf. To keep the conversation going, please visit our forum on Food Sovereignty here to add your thoughts and comments. On Friday, June 28th, Tom Pellizzetti was the guest presenter for the June Florida Food Forum: Food Processing for Small Producers. During the meeting, Tom spoke on correlations between food sovereignty and food policy, including how food sovereignty could be a response to certain challenges in contemporary agriculture and culture as a whole. Tom began with thoughts on how it is common to focus on the story of the farmer, yet there are many parts to the system that allow meat to get from farm to table. From the farmers, to processors and to sellers, the system is separated into small functional players and major integrated vertical companies. Expertise differs from the farm to the distribution to the sales side, "at the end of the day if you don't have sales and processing and distribution, you don't have a farm" he said. "Consumers are really rethinking and revaluating what is value to them in food." Outlining comparisons between small and large producers, and local versus industrial, Tom noted the transformation in consumer demand and changes in consumer values in recent years. "These are everyday people that have had a transformation or they have been educated about something. Or there has been a life experience that has caused them to rethink food. So they went from not thinking about where the food comes from, and just eating what [they] can…Especially young families. When you have a son or daughter come into your family, all of a sudden it matters what you are feeding them. And all of a sudden people care and are reading ingredients…" Over the last 10 years there has been a mainstreaming of the natural foods movement and big chains are now carrying more natural and local foods, yet still it is largely industrial-based food. "Even though McDonalds these guys aren't heroes in our minds, they are attempting to step up to the consumer demands and those incremental changes should be celebrated in a way that they do make a significant impact versus the very small niche markets that don't have as much impact in the food system, although there is a lot more passion around it" says Tom. "A little change for a big company—say cage-free eggs at McDonalds—makes a significant impact in sustainability." Tom went on to discuss the Grass-fed Movement and the major shift in processing over the past few decades from small producers to large corporations. He points out the differences between the production systems used and the money concerns that are involved. For small processors, "sustainability in meats is really economic sustainability to keep that business running…When asked "What does sustainability mean to me?" it's how do we stay in business another week?" Although the small farm movement has picked up momentum, Tom highlights the reality that the majority is still led by Industrial meat. He continued his talk touching on other important issues—labeling laws, processing issues, sustainability efforts and consumer trends, which led to a great question and answer session. Tom earned a BS in Animal Science from UF in 1996 and an MBA from Thunderbird in Arizona in 2001. Tom spent about 12 years working for large food companies (Tyson Foods, Nestle Purina and Schreiber Foods) with roles in (operations, sales and marketing). Tom became an independent sales agent in 2009, and co-founded a small grass fed beef producer called Arrowhead Beef in 2010. Tom and his business partner bought a very small USDA-inspected harvest facility in NW Florida in 2013. Tom sold his interests in those operations by 2017 and now provides brokerage and management services to natural food companies selling into retail and foodservice channels. Local When We Can!
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Based on an abbreviated survey in response to three complaints completed on January 24, 2019, it was determined that Willows Of Presbyterian Seniorcare was not in compliance with the following Requirements of 42 CFR Part 483, Subpart B, Requirements for Long Term Care Facilities and the 28 PA Code, Commonwealth of Pennsylvania Long Term Care Licensure Regulations for the Health portion of the survey process. Based on facility policy, observation and staff interview, it was determined the facility failed to make certain food was prepared in a sanitary manner in the main kitchen. Review of the facility "Dietary Sanitation" policy last reviewed on June 2018, indicated that bare hand contact with food is prohibited. If gloves are contaminated they must be changed between tasks. During an observation of the main kitchen, Dietary Aide Employee E4 and Dietary Cook Employee E5 were placing lettuce on plates and serving pans with gloved hands after touching the outer surfaces of the lettuce bags with same gloved hands creating the potential for cross contamination. During an interview on 1/24/19, at 10:00 a.m. the above observations wee reviewed with the Nursing Home Administrator. 28 Pa. Code: 211.6(c)(d)(f) Dietary services. The salad was discarded after this was brought to the facility's attention. Bagged food items that need to be portioned will be handled without direct contact with gloved hands that opened the bag. Food contents will be poured into a sanitized container, hands will be washed and regloved, then food will be portioned with gloved hand or tongs. Dining services staff will be in-serviced on this procedure by the dining services director or designee. Observations to audit compliance will be conducted daily for two weeks then five times per week for two weeks. The results of these audits will be reviewed with the QAPI committee. Based on review of the facility policies and clinical records, observations and resident family and staff interviews, it was determined that the facility failed to implement infection control measures to prevent the potential spread of infection on four of four nursing units (First, Second, Third and Fourth Floor nursing units), failed to have an effective infection control plan in place for one of two residents with suspected Norovirus (Resident R1) and failed to store clean linen properly on one of four nursing units (Second floor). Review of the facility "Nursing-Isolation categories" policy last reviewed on June 2018, indicated that Transmission Based Precautions will be used when caring for residents who are documentated or suspected to have a communicable disease that can be transmitted to others. During an interview on 1/24/19, at 8:10 a.m. Assistant Director of Nursing Employee E1 stated that there were two residents currently in precautions for the Norovirus. Other residents in isolation were for other reasons. Review of the facility "Norovirus - Prevention/Control" policy last reviewed June 2018, indicated that strict infection control practices are implemented. That included residents being placed on Contact Precautions and soap and water are used for hand hygiene after providing care or having contact with suspected or confirmed cases. Review of the facility "Contact Precautions" policy last reviewed June 2018, indicated that gloves and handwashing would occur, gowns are to be worn upon entering room and cubicle and signs to alert staff of isolation are to be used. During observations of all nursing units on 1/24/19, from 7:50 a.m. through 10:30 a.m. and from 12:15 p.m. through 1:15 p.m. signs indicating a Norovirus outbreak were on the walls and at all nurses stations. The linen cart in the 2300 hall was uncovered. Resident R1 and Resident R6 were identified as the two residents currently with the Norovirus on the First floor. Resident R10 was in isolation for Clostridium Difficile (a bacterial infection from overuse of antibiotics causing diarrhea and abdominal pain). There was no signage to alert staff and visitors of the infection. Resident R9, who was not listed as needing isolation. had isolation signage at the door indicating isolation was required but had no isolation equipment. During an observation on 1/24/19, at 8:22 a.m. Nurse Aide (NA) Employee E2 entered room 1319 with a food tray, assisted the resident into chair, came out of the room and went to food cart and took a food tray to the resident in room 1326 without washing their hands between tray service or touching the resident in room 1319. During an observation on 1/24/19, at 8:25 a.m. an opened container of orange juice was sitting on a stand between two chairs in hall and an unused incontinence pad was sitting on top of two novels under the table between the two chairs. Interview with a private duty resident caregiver on the third floor on 1/24/19, at 8:45 a.m. indicated that she has had to return plates and silverware to the kitchen due to food particles still being present. During an observation of the fourth floor nursing unit on 1/24/19, at 9:05 a.m. NA Employee E3 was observed assisting the resident in room 4415 with gathering soiled linens and clothing. NA Employee E3 then took the residents bowl of food and heated at the country kitchen area, went back into the resident room, made the residents bed, left the room and went into resident room 4412 and asked resident if she was ready to get cleaned up. NA Employee E3 did not perform hand washing between any of these tasks. 28 Pa. Code:201.14(a) Responsibility of licensee. 28 Pa. Code: 201.18(b)(1)(e)(1) Management. 28 Pa. Code: 201.20(c) Staff development. 28 Pa. Code: 211.10(d) Resident care policies. The certified nursing assistant was immediately in-serviced on proper hand hygiene procedures. There was an immediate audit done for all residents requiring isolation. For those residents, the proper signage/equipment was displayed and/or removed. Environmental rounds were done to ensure items in common areas are meeting the community's standards i.e. briefs and other items removed from common area, linen carts covered. The DON or designee will provide education to the nurse aides and nursing team on the community's policy and/or practice for the timing and technique for hand hygiene, environmental standards, including no briefs in common areas and linen carts covered, as well as proper isolation equipment and signage. Dishes and silverware will be audited by dining services director or designee before being transported to the neighborhood for distribution daily for two weeks. Spot checks will be done daily as a practice daily thereafter to ensure ongoing compliance. The Director of Nursing or designee will complete random audits of personnel and the timing and technique of hand hygiene procedure. These audits will occur 5 days per week for 6 weeks. The Director of Nursing or designee will audit all residents needing isolation for proper isolation signage/equipment 5 days per week for 6 weeks. The Director of Nursing or designee will perform an environmental round 5 times per week for 6 weeks to audit for environmental hygienic standard, to include no briefs in common areas, linen carts covered. Based on review of facility policy and clinical record and staff interview, it was determined that the facility failed to provide medications as ordered by the physician for seven of nine residents (Resident R1, R2, R3, R4, R6, R7 and R9). Review of the facility "Medication Administration" policy last reviewed June 2018, indicated that the facility shall maintain a medication administration record of all medications administered. Documents must include reason why a medication was not administered or refused. Ampyra ER 10mg (milligram) (given for Multiple Sclerosis) every 12 hours was not documented as given on 11/28/18 at at 12:00 p.m. or at 10:30 p.m and on 11/29/18, at 12:00 p.m. dose due to pharmacy not delivering. The family had to supply the medication after it was not delivered by the pharmacy. Atorvastatin 20 mg, 2 tabs (given for high cholesterol) at bedtime was not given on 11/27/18 at bedtime without a documented reason. Myrbetriq 50mg (given for an overactive bladder) at bedtime was not given on 11/27/18, at 10:30 p.m. without a documented reason. Donepezil 10 mg (given for dementia) at bedtime was not given on 12/6/18, or 12/7/18, as they were awaiting delivery from the pharmacy. Rosuvastatin 5mg (given for high cholesterol) at bedtime was not given on 12/6/18, without a documented reason. Lidocaine patch (used for arthritic pain) applied topically daily to lower back was not given on 1/12/19, and 1/14/19 as they were awaiting delivery from the pharmacy. Keflex 500mg (Antibiotic given for Urinary Tract Infection) every 12 hours for 5 days was not given on 12/20, 12/21, or 12/22, evening dose as they were awaiting delivery from the pharmacy. Toujeo Insulin 31 units (given for Diabetes) injection at bedtime was not given on 1/23/19, with no documented reason. Singulair 10mg (given for asthma)at bedtime was not given on 1/23/19, with no documented reason. Mucinex 600 mg (given for COPD) every 12 hours was not given evening dose with no documented reason. Sertraline 50 mg (given for depression) twice a day was not given evening dose with no documented reason. Atorvastatin 10mg (high cholesterol) at bedtime was not given on 12/7, reason indicated as they were awaiting delivery from the pharmacy. Atorvastatin 80 mg (given for high cholesterol) at bedtime was not given on 1/17/19, with no documented reason. Aricept 5mg (given for dementia) at bedtime was not given on 1/17/19, with no documented reason. Mirtazapine 45mg(given for depression) at bedtime was not given on 1/17/19, with no documented reason. On 12/16/18, Lantaprost eye drops (given for glaucoma) one drop right eye at bedtime was not given with reason of unable to find in medication cart. On 12/14/18, documented as not given with no documented reason. During an interview on 1/24/19, at 2:40 p.m. Nursing Home Administrator was made aware that Residents R1, R2, R3, R4, R6, R7 and R9 did not receive the medications as ordered by the physician. 28 Pa. Code: 211.9(a)(1)(k)(l)(1)(2)(3)(4) Pharmacy services. 28 Pa. Code: 211.10(c) Resident care policies. This Plan of Correction constitutes my written allegation of compliance for the deficiencies cited. However, submission of this Plan of Correction is not an admission that a deficiency exists or that one was cited correctly. This Plan of Correction is submitted to meet requirements established by state and federal law. The medical records of all affected residents were reviewed to check for adverse effects. There were no untoward consequences from the missed medications. The community will begin to utilize a dropship delivery from a retail pharmacy for medication orders received after hours and late admissions. Expected turnaround time for this service is approximately 4 hours. This practice will be used in conjunction with our medication vending machine (Cubex). The medication policy has been reviewed and process has been updated to reflect the current practice. The Director of Nursing inserviced the Willows nurses on the following: the dropship delivery process, shared a list of the drugs that are available from the Cubex machine, and reeducated the nursing staff on the appropriate way to follow up on missed medications. Neighborhood managers and shift supervisors will audit the missed medication report every shift for 6 weeks and will follow up on any missed medications. Audit results will be reviewed by the QAPI committee until such time consistent substantial compliance has been achieved as determined by the committee.
{ "redpajama_set_name": "RedPajamaC4" }
Horror in the Wind Comedy | 2007 | USA "Breathe in. Come Out" The President of the United States, a religious fanatic, catches wind of a secret formula that suppresses sexual desire and is determined to use it to win the "War on Sex." He manages to steal the formula from the creators before they finish testing it, and no one is prepared for what happens next. The President orders airplanes on a secret mission to cover the globe, spraying the secret formula in every nook and cranny covering entire hemispheres. But the plan backfires when the formula doesn't work as promised – instead of suppressing sexual desire, it actually reverses it! The straights become gay, the gays become straight, and everyone's lives are surprisingly turned sexually upside down. Unexpected love flourishes, sexual desires rise to the surface, and when an antidote is finally found, you'd think everyone would be first in line to take it…or would they? Director: Max Mitchell Cast: Perren Hedderson, Morse Bicknell, Courtney Bell, Jiji Hise, Robert Puryear, Erin J. Miller, Katie Mehrer, Gabe Morrison The President of the United States, a religious fanatic, catches wind of a secret formula that suppresses sexual desire and is determined to use it to win the "War on Sex." He manages to steal the formula from the creators before they finish testing it, ...
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Light (Cirque du Soleil) Location: Mandalay Bay Hours: Fri-Sat 10:30pm-4am Vegas4Visitors Rating: Not Rated A mega-club originally co-created by Cirque du Soleil but their involvement ended in 2015. At Mandalay Bay on the South Strip. An interesting mix of your typical club goers (young, pretty) and a more grown up audience. As expensive as you would expect it to be. Early on weekend nights if you want shorter lines but late if you want the full Cirque effect and big-name DJs. Because the place isn't as hectic as some of the other big clubs. Several famous DJs have residencies here including Skrillex. With Cirque out, I'll need to go back to see what this club is like. No matter the luxury trappings, most Las Vegas nightclubs have a similar kind of anything-goes, hedonistic atmosphere where all that really matters is how strong the drinks are and how loud the music is. This is primarily done to lure the young, party-til-dawn set who think nothing of dropping hundreds of dollars to have a night out on the town. Light, the high-energy nightclub at Mandalay Bay opened in 2013, certainly has it's share of that crowd but something here felt different; a little more grown-up, a little more sophisticated, and a lot more sexy. Credit went mostly to this being the brainchild of longtime nightclub management company the Light Group (Bank, 1 OAK, and several others) and Cirque du Soleil (Mystére, O, KÀ, and several others). The union of these two subject-matter-experts took the best of what a nightclub can be and combined it with the kind of cutting-edge atmosphere and visuals that turned it into something more than just a dance floor and a bar. Notice all of this is in past tense. The Light Group got bought by Hakkasan and then both that company and Cirque du Soleil dropped their involvement with Light in October of 2015. What that means for the future of the club is undetermined but a new management company, Play, has come in and promises to keep the party going. The point of this is that while I really enjoyed the original Light I'm not sure what the new one is going to be like yet. Take everything you read from here on out with a big grain of sand. The space is really little more than a three-story black box theater, with a dance floor surrounded on three sides by multiple levels of bottle-service VIP seating, everyone else standing, and bar space. There is no decor to speak of which allows the focus to be easily shifted depending on where they want it to be. A lot of the time that's on the massive floor-to-ceiling video projection wall that spans almost the entire football-field length of the club. It shows moody visuals in random flashes that are almost hypnotic and often tied to the special effects happening around the space. For instance, a video of a woman exhaling smoke is timed to the dry ice jets that flood the room with fog. Big name DJs man the booth after midnight on many nights including exclusive stands from Skrillex, Zedd, Bass Jackers, and Carl Kennedy to name a few. They and the house DJs that play before and after the main-stage sets keep the party going with a non-stop mix of EDM, house, hip-hop, and pop. It was interesting, I thought, that the sound level was loud but not at that ear-drum bleeding level it is in most clubs. I was actually able to have a conversation that didn't involve me having to pretend like I heard what the other person said. This added to the sophisticated vibe of the club. Don't get me wrong – there were still plenty of young, pretty party-people in attendance including one VIP booth of about a dozen twenty-somethings who had what I estimated to be about $4,000 worth of booze, much of which they had already consumed by the time I saw them. And while I was definitely an outlier in terms of age, I didn't feel uncomfortable like I usually do in these types of youth-focused clubs. And the one thing it definitely has in common with most of the other nightclubs in town is the cost. Figure anywhere from $20-$50 to get in and then drinks (including domestic beers) from $10-$25 apiece. I'll have an updated review of the club soon. O by Cirque du Soleil Mystère by Cirque du Soleil Zumanity by Cirque du Soleil Love by Cirque du Soleil KÀ by Cirque du Soleil
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
An inspector monitoring a Keynsham school's progress has found it is taking "effective action" to tackle areas highlighted as needing improvement. The visit to Broadlands Academy in November by Her Majesty's Inspector Richard Light followed an Ofsted inspection in June last year in which the secondary school was judged to require improvement. Principal Dean Anderson, senior leaders at the school, a member of the governing body and Year 8 pupils all met with Mr Light during the inspection. In his findings, Mr Light noted that the proportion of Broadlands students achieving five GCSEs at grades A*-C in 2014 rose further to above the national average. He said in his report: "The principal's drive and sense of purpose to improve the quality of teaching and students' achievement, identified in the last full inspection report, has continued unabated. The school should take further action to set up a proposed interim management board and ensure that marking in all subjects matches the best in the academy. Ofsted will visit the school again later this year.
{ "redpajama_set_name": "RedPajamaC4" }
After 1985 court battles with multi-millionaire Bob Jones, in which each sued the other for defamation, Muldoon was left with considerable costs to pay. He raised the money by various activities, including performing in The Rocky horror show in 1986 as the narrator. His evident enjoyment of the role, in which he danced the 'Time Warp', won him ovations. The production also included Russell Crowe (right), then using the moniker Russ Le Roq. Crowe was later to become an acclaimed film actor.
{ "redpajama_set_name": "RedPajamaC4" }
Not a bad little game. I loved the dialogue! Some of my grammar holes were insane! It was created in 48 hours for a competition (stupid excuse I know). PS: The door password is actually a phrase and... It is not easy to crack.
{ "redpajama_set_name": "RedPajamaC4" }
A complaint about a school should be addressed directly to the particular school it is about in the first instance. In the event that you are not satisfied with the school's response to the complaint you may appeal to the school's Chair of Governors. In the event that you are not satisfied with the Chair of Governor's response, you may ask the governing body to review it. This request would need to be made in writing within fourteen days of the Chair's response to you. The governing body's complaints committee will meet within twenty one days of receipt of the request to review the details of the complaint and the evidence provided. The chair of the committee will send you a letter within five days of the meeting notifying you of the outcome of the review.
{ "redpajama_set_name": "RedPajamaC4" }
Approximate modern location: Eight kilometers north of Schönau lies the town of Nastätten; and two kilometers northeast of Nastätten is Aftholderbach (Taunus; Rhein-Lahn-Kreis). Miehlen is northwest of Aftholderbach. Comments: Some authors think that before 1222, women Norbertines were at this location. From 1222 there was a monastery for Cistercian nuns here until 1544. Today there are three big farms at this location - nothing remains of the former monastery.
{ "redpajama_set_name": "RedPajamaC4" }
Lucknow: The customs department on Friday seized gold worth Rs 1.52 crore from a passenger at the Chaudhary Charan Singh International Airport in Lucknow, police said on Saturday. According to customs officials, the gold was hidden inside an electric press by a passenger on board the Air India flight from Dubai. The seizure was made by a customs department team led by Deputy Commissioner Niharika Lakha. The passenger, Shambhu Chauhan, has been placed under arrest.
{ "redpajama_set_name": "RedPajamaC4" }
This is no ordinary bag, this is the custom Explorer Bag. Our canvas bags feature soft leather and unique kikoy patterns to help you stand out from the crowd. Pack as many things as you need because it is all easy to carry with the adjustable shoulder strap!
{ "redpajama_set_name": "RedPajamaC4" }
The objective of AHA (Vic) is to contribute to the maintenance of an economic and social environment that stimulates the business success of members and Victoria pubs and hotels generally. AHA (Vic) exists to promote the hotel industry and protect our members. Being a member of AHA (Vic) ensures as a business owner you can focus on the hospitality side of your hotel, looking after your customers, providing a welcoming environment and we take care of the compliance issues. We give your company access to the decision makers of more than 1,000 member hotels across Victoria, from small country pubs to major hotel operators. We are here to help you. Our contact details are below so give us a call or leave us a message. READY TO BECOME AN AHA MEMBER? Copyright © 2016 AHA Pty Ltd. All rights reserved.
{ "redpajama_set_name": "RedPajamaC4" }
waterfoxproject.org was registered 7 years 3 months ago. It has a alexa rank of #67,324 in the world. It is a domain having .org extension. This site has a Google PageRank of 5/10. It is estimated worth of $ 123,840.00 and have a daily income of around $ 172.00. As no active threats were reported recently, waterfoxproject.org is SAFE to browse. Waterfox is a high performance browser based on the Mozilla platform. Made specifically for 64-Bit systems, Waterfox has one thing in mind: speed. Simply, the fastest 64-Bit browser on the web.
{ "redpajama_set_name": "RedPajamaC4" }
I've been giving some products from New Zealand brand Living Nature a whirl lately, and today I want to show you two of their lip products. A certified natural company, Living Nature has an international reach and a focus on nourishing, safe and ethical products. I found their About Me and FAQ pages to be very interesting reads, definitely worth a quick squiz if you're interested in their products. Living Nature's lipsticks come boxed with a round cutout at the base of the carton to show the colour of the lipstick inside. The tube is compact and charming with rubberized packaging, while the Living Nature logo adorns the cap. I quite like the lipstick bullet, which deviates from your standard teardrop style by being slanted on both sides. These retail for $40NZD for 3.9-4g (marked 3.9g on the box, 4g on the tube). Out of interest's sake, this is 0.9-1g more than a MAC lipstick, which has the same NZ RRP. Summer Rain is described by Living Nature as a 'darker, more intense true pink '. On the website it appears to be a purple toned magenta, while on me it's a medium warm rosy pink. It's a confusing discrepancy which made me wonder if I had a mislabelled lipstick at first, but on closer inspection all of the swatches on the Living Nature site look very photoshopped and colour inaccurate. It's really annoying when companies do this - why bother providing a swatch if it's so wildly off? I hope this is something they will remedy in future. The formula for this lipstick feels very similar to Karen Murrell's lipsticks, both contain carnauba wax which has a very high melting point. This means they feel less slick than some brands and have a soft, demi-matte and natural finish. Summer Rain has buildable to semi opaque colour pay off. It lasts for three hours on me and is very comfortable to wear, even lightly hydrating. The Lip Hydrator comes in the same packaging as the lipstick, which is a lovely touch. If you're going to buy a luxury lip balm (and most people would agree the RRP of $29.50NZD does make it a luxury), you certainly want it to look the part. The Lip Hydrator definitely isn't your average Chapstick, it's deeply hydrating and has a thin, light texture which makes it perfect to prime your lips prior to lipstick application. I've been especially enjoying it as an overnight treatment as it's not greasy in the slightest, meaning it won't wipe off all over your pillow or leave gathered up product at the inner corners of your mouth. Definitely worth checking out if you want a solid performer of a lip balm! Have you tried any products from Living Nature?
{ "redpajama_set_name": "RedPajamaC4" }
Nominations for 2022 ACMA Culture and Media Awards Now Open through November 6, 2022! View ACMA's Past Award Recipients HERE The purpose of ACMA Media Awards is to recognize individuals and organizations who demonstrate outstanding leadership in creating awareness of the Asian American and Pacific Islander culture through Media Arts. Nomination Categories (Television and Film) Honoring an individual who has performed an outstanding service and accomplishment spanning a lifetime career in Television and Film. Excellence in Media Award (Television, Film, Online and Print Media) Honoring API individuals who have created a positive impact on the API community through their original media content. This may include Writers, Directors, Producers, Actors, Authors and Show Hosts. Excellence in Journalism Award Recognizing inspiring API individuals in the news media industry who have made a positive impact in our community by addressing challenging social justice, diversity and civil rights challenges that our API community face. Recognizing individuals who dedicate their time and efforts to creating a better world for underserved, underdeveloped communities. Excellence in Cultural Awareness Award Honoring API individuals and organizations that have contributed to promoting the API community and culture through media programs and services. Rising Media Star Award (Age 29 and below) Presented to an individual who has achieved incredible accomplishments and exemplary leadership in Media, while still early in their career. Excellence in Community Outreach Award Honoring companies or individuals who have contributed to creating greater awareness and understanding about the API community and/or culture through community service and various outreach programs. Additional Nomination Information Only complete nomination packages will be considered. Nominations are confidential. Only the nominator and those who support the nomination will be notified of the nomination submission. Questions? Email [email protected] call 619-789-1811. Organizations or individuals are not limited in the number of nominations they may submit. All nominations will be reviewed for completeness and for meeting the basic nomination criteria and eligibility requirements by ACMA Nomination Judging Committee. All materials become the property of Asian Culture and Media Alliance, Inc.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Corduroy Sectional Couch. 20 Best Ideas Ashley Furniture Brown Corduroy Sectional Sofas Sofa With Couch Inspirations 11. Chocolate Corduroy Sectional Sofa F7133 Lowest Price For Couch Plans 9. Enticing Good Corduroy Sectional Sofa 44 In Sofas And Couches Ideas Intended For Couch Prepare 15. Amazon Com ACME 55975 Connell Sectional Sofa With Pillows Intended For Corduroy Couch Plans 18. Brown Corduroy Couch Sectional Sofa Inside Design 19. Corduroy Sectional Couch Chocolate Brown Sofa Lane Furniture Canada With Regard To Plan 13. Amazon Com Texas No 1 Furniture F116A Grey Corduroy Sectional Regarding Couch Inspirations 7. Nice Corduroy Sectional Sofa Good 14 For Inside Couch Plan 3. Shop Luxurious And Plush 2 Piece Corduroy Sectional Sofa In Waffle Regarding Couch Idea 1. Ashley Furniture Brown Sectional Chocolate Reclining With Corduroy Couch Inspirations 14. Shop Bursa Crestline Corduroy Sectional Sofa Set With Pillows And Couch Idea 12. Corduroy Sectional Sofa Epic With Additional Intended For Couch Ideas 4.
{ "redpajama_set_name": "RedPajamaC4" }
The Bandera's open and welcoming plan invites guests in with an elegant, two-story foyer and a beautiful kitchen complete with an oversized, center-island breakfast bar that's sure to become the social hub of the home. The sun lit family room features two-story windows that look out onto the backyard. The downstairs master suite includes a private bath with garden tub, oversized shower, double vanities and a walk-in closet. Formal dining room can be converted into a study. Upstairs features a game room, three bedrooms and a bath. Media room and a third bath can also be added upstairs.
{ "redpajama_set_name": "RedPajamaC4" }
Use of social media has exploded over the last decade. It seems we have gone from a time when social media was limited to an organized grouping of college students' selfies to now, when everyone—and I mean everyone—has a Facebook page or an Instagram account. Now when you log onto your Facebook page, your "newsfeed" is filled with Aunt Betsy's latest cat photos and a co-worker's most recent political rant. Social media can be a great thing (who doesn't like a good cat photo?), it allows people to share their experiences and stay in touch with long-distance friends and relatives in a way that used to be impossible. So, why does the use of social media matter in the context of your injury claim? Well, it could actually matter a lot. In my experience, nothing can tank a claim faster than an ill-timed and unfortunately worded Facebook post. More and more, insurance companies are turning to social media, hoping to find a photo or a "status update" that will give them useful information to defend against your Minnesota workers' compensation, PERA disability or personal injury claims. It is the job of the attorney working for the insurance company to poke holes in your case. Social media can be a gold mine. While it might be fun to share photos from your recent Mediterranean cruise with your Facebook friends or a status update about your weekend jet skiing at the lake, this may ultimately do you more harm than good. It can be particularly problematic in cases where you have strict work restrictions, limiting your activities both at work and in your private life. For example, if you were in a motor vehicle collision and you are seeking compensation for your pain and limited mobility, it would be problematic to post a photo of you hiking with a group of friends. Seemingly innocuous photos such as these can be extremely detrimental in the hands of defense attorneys, who will use them to minimize your injuries and try to make you look like a malingerer. Due to this common practice, use Facebook, Instagram, and even Snapchat cautiously. I always tell my clients to use common sense with regard to the content they post during the pendency of their claims. I ask clients not to post about their accident, injuries or the status of their claims. All of these things can easily be used against them in a deposition or at hearing. If my clients are not able to quit social media "cold turkey," I ask that they take a serious look at each and every post before they push "send," asking themselves whether they would be comfortable explaining the contents of the post to opposing counsel, or even a judge. If my client would not be comfortable explaining the post to these people, they have no business posting it online—even if the client believes their privacy settings are tight. Contact Meuser Law Office, P.A. for a free, no-obligation case evaluation and consultation. The knowledgeable attorneys at Meuser Law Office, P.A. take the time with each client to help determine which benefits under the Minnesota Workers' Compensation Act you are entitled as well as discuss PERA Duty Disability benefits, Healthcare Continuation Benefits under Minnesota Statute §299A.465 and personal injury claims. Call us today at 1-877-746-5680.
{ "redpajama_set_name": "RedPajamaC4" }
Immaculately Maintained with Stunning Chief views with morning and early afternoon sun. This large south east corner condo at Eagle Grove Residence ideal choice for those 55 and better. This spacious 2 bedroom, 1 + 1/2 bath offers amazing views, a smart floor plan, master bedroom with ensuite, natural gas fireplace, washer & dryer, plenty of storage space and is wheelchair accessible...no elevator or stairs to deal with. Eagle Grove features a library/lounge with balcony, common room with kitchen for games nights and meetings and new roof top patio. The central location makes access to 55+ activity centre, shopping and estuary walks very convenient. Balconies just redone with new railings and has been paid for by the seller. Easy to show. Sorry no BBQ's allowed. Floor Area 964 Sq. Ft.
{ "redpajama_set_name": "RedPajamaC4" }
Lifting Gear Direct - Wire Rope Assemblies from Dale Shaw on Vimeo. Wire ropes are commonly used throughout the lifting gear industry for a vast array of applications. Often utilised alongside other lifting equipment such as cranes, hoists and winches wire rope is used in many industries such as construction, engineering, architecture, marine & shipping industries. We can supply wire rope including stainless steel, in different constructions in any length and with any end termination to suit your requirements. We have our own pressing and testing facilities and our skilled team can make up most wire ropes to your specifications, all fully tested and certified. As with all quality industrial products offered by Lifting Gear Direct, the satisfaction of our customers is the top priority; browse our range below and contact us today for sales and information.
{ "redpajama_set_name": "RedPajamaC4" }
I've always been a casual fan of The Who, meaning I've been a longtime owner and listener of their greatest-hits album. But that's about as deep as it's gone. Until now. See, I just watched the documentary, Amazing Journey: The Story of The Who, and I thoroughly enjoyed it. While their story is a familiar one (four young lads form a band and hit it big in the 1960's, eventually becoming arena gods until excess and age begin to catch up with them), Amazing Journey benefits from the cooperation and candor of The Who's surviving members, which include, of course, Roger Daltrey and Pete Townshend, as well as a couple of former managers and Kenney Jones, the drummer who replaced the irreplaceable Keith Moon. Of course, in its broad outlines, this story is the same as the stories of The Beatles and The Rolling Stones. But the devil is always in the details, isn't it? And the devils revealed by Amazing Journey: The Story of The Who are (at least for me) mesmerizing. First, there is the unbridled energy of The Who 's live performances, which is evident from even the earliest clips of the band. Keith Moon played drums like he was literally on fire, as if he needed to hit every drum in his kit as often as possible, constantly playing fills and rolls. It was as if Moon were always playing solos rather than providing backing beats for the band. And the same went with John Entwistle's bass-playing, which consisted mainly of very aggressive lines played at very high volume, in stark contrast to his physical stage presence, which was often (with the exception of his very busy fingers) statuesque. This rhythm section coupled raucously with Pete Townshend's guitar mastery (which could turn in an instant from intricacy to bombast, with Townshend accentuating his strums with his trademark pinwheeling arm) and Roger Daltrey's throaty, emotive vocals and almost-messianic stage poses, creating the perfect arena-rock band. Often, when talking about a particular band's performance, you'll hear the term "tightness" used, which refers to how well the band's components work together to create musical effects. Well, The Who was a tight band, but they were also deeply competitive on-stage, so that they often appeared to be a quartet of performers who were dueling each other for the lead line of a given song, sometimes by merely cranking up their amplifiers. It didn't hurt that Townshend and Moon occasionally amped-up the spectacle by destroying their instruments, which they claim was a direct inspiration for Jimi Hendrix. And Townshend's material evolved likewise, from the 3-minute singles of their early albums to the rock operas and anthems of their later career. In Amazing Journey: The Story of The Who, both Daltrey and Townshend are frank about the toll that the band's reliance on Townshend-as-scribe had on their relationships. Anyone who has had to deal with the pressure of being creative on demand will sympathize with the frustration and alienation it causes. Inserted testimonials from the likes of The Edge, Noel Gallagher, Sting, Steve Jones and Eddie Vedder also help inflate the mythic quality of the story, but thankfully their presence is judicious and unobtrusive. The documentary itself does quite a lot of hagiography, so it really doesn't need any celebrity assistance. But, like all of us, even the members of The Who were all-too-human. And, while of course it's painful to watch the likes of Moon and Entwistle succumb to the excesses of their appetites, it's also comforting to see the survivors reach a level of maturity and acceptance with themselves and their legacy, attaining a kind of hard-won wisdom (as if there's any other kind). The second disk of Amazing Journey: The Story of The Who is as rich as the first, with segments dedicated to each original member of the band, as well as a segment detailing their aesthetic milieu (a la pop art and the mods) and a final part showing Daltrey & Townshend at work on a contemporary project, a 2003 recording of the song, "A Real Good Looking Boy," with Greg Lake, among others, joining them. In the end, it all makes me wish I'd made it to one of those concerts in the mid-to-late 1970's when The Who were at the peak of their powers and theatricality. But knowing what I know now, I also wouldn't mind seeing them as they are today -- men who have lived and loved and created and who are still going at it, wiser and more appreciative for having survived the journey. directed by Paul Crowder, Murray Lerner, and Parris Patton Posted by JJ Wylie at 12:29 PM Unbroken by Laura Hillenbrand Taste of the Nation - May 19th Today's Dream: Barbecue Saves The World Horoscopes For The Dead by Billy Collins
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
ABC RN Aristotle after Aristotle Broadcast Sun 15 Jul 2012 at 7:30am Sunday 15 Jul 2012 at 7:30am Sun 15 Jul 2012 at 7:30am Duration: 24 minutes 30 seconds 24m Alan Saunders: Hi, I'm Alan Saunders, and this week on The Philosopher's Zone, we're staying in the Greek world. We've looked at the Hellenistic schools, the philosophers to came after Aristotle, and how their thought was carried into the Roman world. Today, we're turning to the work of Aristotle himself and what happened to it. Physics, metaphysics, poetry, theatre, music, logic, rhetoric, politics, ethics, biology and zoology—there were few areas of thought that Aristotle didn't touch on and he laid down principles that were to last for more than a thousand years. Like Alexander the Great, Aristotle came from Macedonia. He was born there in 384 BC and at around the age of seventeen, he was sent to Athens to study in Plato's Academy, then a pre-eminent place of learning in the Greek world. In 343, King Philip of Macedon, invited him to become tutor to his thirteen-year-old son, Alexander. It didn't last long—by the age of fifteen, the young lad was already a deputy military commander—but it's difficult not to think that the association must have meant something to at least one of them. Aristotle returned to Athens in 335 and set up his own school in a public exercise area dedicated to the god Apollo Lykeios, whence its name, the Lyceum. The members of the school became known as Peripatetics, probably after the peripatos, the covered walkway, on the school's property. He was settled here for thirteen years. His wife died and he began a relationship with a woman who might have been his slave or who might have become his wife; we're not sure. What we do know is that after the death of Alexander, anti-Macedonian sentiments began to be revived in Athens. Would the Athenians—the men who, a generation before, had put Socrates to death—do the same to Aristotle? They didn't get a chance: Aristotle was out of there, remarking before he went that he wouldn't let them make the same mistake twice. The following year, 322, he died of natural causes on the island of Euboea. To talk about Aristotle and his heritage, we're joined now by Dr Han Baltussen, Senior Lecturer in Classics at the University of Adelaide. So why does he think that Aristotle matters so much? Han Baltussen: Well, there are a couple of reasons, Alan, but the most important one I think is to just start out with knowing that he was a great scientist, and probably one of the first great scientists, and that from that kind of core of his research, he developed his philosophical ideas, and so the philosophical strands of his thinking are very much characterized by a hugely systematic way of thinking, his ambition to be very comprehensive, and therefore to cover almost every branch of knowledge that was known then, and develop others, and new areas as well. Alan Saunders: I mean no disrespect to either of them, but I tend to think of Plato as a bit of a poet and Aristotle as a bit of a bureaucrat, just sort of making sure that everything's in the right folder. Is that unfair? Han Baltussen: Well, I would think so, but I can see your thinking about that, because Plato has been called the most unsystematic of creators, and that means that he was really very much a pioneer in that sense, and his kind of literary skills on top of all that, makes the kind of deep thinking that he does also very attractive. The unfortunate thing about Aristotle's work and transmission of his work is of course that we only have the more scholarly and internal works, so-called esoteric writings, which make reading him very difficult. It's a densely kind of constructed prose, and his thinking sort of moves beyond in certain areas what Plato had said. So there is in our access to the material certainly a big difference in how creative, how attractive both were. But I do think that Aristotle's got a lot of creative force in his thinking, so we shouldn't underestimate that. Alan Saunders: You said that he was respected in his day, or immediately after his day, as a great scientist. Obviously that's a modern term, but was it his empirical work - I mean he was very, very good at marine life, he was a strong observer of that—was it this sort of empirical work that captured people's attention more than the sort of thing that we're interested in now, which tend to be the metaphysics and the morals? Han Baltussen: Well it depends a little bit on what you think the audience might be for certain areas. I do think that the works that have been lost were well-known for their graceful style, and so Aristotle was certainly somebody who was attractive to a broader audience. But from the work that we do have, we can see that it was probably his natural philosophy as well as the metaphysics that were quite important to his successors. And in addition to that, of course, the way in which he systematized a lot of the ideas about ethics, which was very closely connected to politics in his view, were also studied to some extent, but I don't think that it made such an impact. It is very difficult to trace a lot of these different areas of his work, really, and we're going have perhaps a bit more to say about that, but there's a problem there. Alan Saunders: If people were reading his metaphysics, what was he offering them there in terms of metaphysics, which really is about I suppose what the universe contains on a theoretical level, and how it all holds together. What did he have to tell them there? Han Baltussen: Well, Aristotle did, of course, learn a lot from Plato in thinking about what is not visible to us but has still got to be there in order to explain the patterns that you can see in the world, so we started talking about matter and form, and distinguishing between what is a particular thing, made up of. And so his idea was that form was far more important, because that determined identity of objects and individuals, and there is something there that is a spinoff from what Plato's thinking, it's just that they just differ in the way in which this is all driven. So the form is for Aristotle in the thing, and from Plato it's somewhere outside. So that was the big easy breakdown perhaps, and it's a bit of a crude summary, but that's how Aristotle saw things. It's about what you can't see that has to be there, so to construct some kind of thing that goes beyond physics as the literal term means, 'meta physics' in order to explain what's going on in the world. Alan Saunders: But it's a very different world for him to Plato's world. For Plato there are chairs, and chairs have the form of a chair, but there is, as it were a heavenly ideal form of a chair somewhere, of which all these individual chairs are inadequate versions. Han Baltussen: Yes, yes, definitely. So Plato sort of plays down the importance of our immediate sensory world, and thinks that the only way we can explain that we have abstract notions of the objects that we see, that somehow if chairs look different in colour or in shape, they must be an essential thing that makes us think about it as a chair, and that he would then hypothesize as being outside of this world, and therefore this world is far less important than the one that drives this world, and informs it for what it is. Alan Saunders: So if Aristotle's turning his attention to furniture, he is not assuming that there is some form of a chair which lies beyond the individual chairs that the world contains? Han Baltussen: No, he thinks it's the carpenter who has a sense of what a chair should be like, which is based on a form of expertise, the notion of how you make things, how they are functional, that will create that particular object, and he works from a form that is in some sense, perhaps ideal, but it will be somehow created in the material like with wood, because he has that level of skill. Alan Saunders: So I somewhat unfairly compared Aristotle to a bureaucrat, but there's a poem by WB Yeats in which he mentions Plato and Aristotle and in comparison with Plato he refers to 'solider' Aristotle, and there is a sort of solidity to this vision of the universe, almost a sort of an earthbound quality to it. Han Baltussen: Yes, yes, I would agree with that. I mean Aristotle was just ... I do think that it's not just a biologist and what we would call a scientist, somebody who is really interested in observation, in looking really closely at things around and then trying to find causes and explanations which are within nature, and within the things. But it is certainly a very important factor in the way that he works, and therefore, as you say, you come to see him as somebody who is more maybe down to earth if you like. And if one would—if we just had more of his works that would have been written in this beautiful flowing style that Cicero describes to us, we would be in a better position to compare Plato and Aristotle on that particular aspect as well. Alan Saunders: And Cicero, the Roman writer, he says this does he, because he has access to works which are no longer available to us? Han Baltussen: To some extent, yes. I mean, the interesting thing is about that is that this is the question of the transmission of Aristotle, and there was this very fascinating story which survives in the first century historian Strabo, which talks about the works being somehow taken away out of Athens and somehow hidden in a ditch by a man called Neleus, and there's a lot of ink been spilt about that story and we can't quite decide whether it's true or not, but it's an intriguing story because it's trying to explain why there is so little interaction with the works of Aristotle, not only among his successors, but also among some of the other philosophical schools which start to rise like the Stoics and there's been a lot of research into that. I think, well, we don't see clearly how people are responding to Aristotle, and you would have expected that anyway, and so it seems that we always have to work from arguments from silence and saying, well, there's very little that is concretely Aristotelian or a response to Aristotle. Now Cicero must have had access to some works that were re-emerging in the 1st century BC, so roughly 200 years after Aristotle died, and there's a very important moment late in the 1st century where some kind of edition was created and so people had been speculating about that in order to explain why there was this revival of study of Aristotle's work. So the first 150 years we have successes, and they're not very impressive, which I think is in a way sort of a judgment of hindsight, and it's not quite fair, and we're not going to say that all the physicists after Einstein are not as good as Einstein, because it's one of a kind, so if you come after, it's good enough to understand what he's doing and try to develop details, and that's what they did. Alan Saunders: On The Philosopher's Zone here on ABC Radio National, I'm talking to Han Baltussen from the University of Adelaide about the legacy of Aristotle. So let's look at the development of Aristotle's thought after his death and who was working on it, and the first person we should turn to is Theophrastus, who was a student of Aristotle's and had a personal relationship with him. Han Baltussen: He is really quite impressive in his own right, in the same sense as I sort of hinted at earlier, that he has got the breadth of knowledge to cover a lot of what Aristotle covered as well, but of course Aristotle's already there, so what he does in his work, he trades on the presence of these works and starts to find out whether there is a full systematic coherence to the work and whether there are empirical data that could be improving on that, or could be correcting, even, some of the views that Aristotle put forward. Because, while Plato was called this unsystematic creator, people sometimes have referred to Aristotle as this most inconclusive systematiser, in the sense that he had this broad view of the world, to try to explain much or almost everything, but couldn't really finish off all the things that he'd been doing because the breadth of his research and knowledge is just astounding. So Theophrastus picks up on that, and does a pretty good job in continuing and trying to improve some of the works. Alan Saunders: Eudemus of Rhodes was Theophrastus' rival really for the role of successor, Aristotle's successor at the Lyceum, which was the school he founded, but he was also Aristotle's first editor, wasn't he? Han Baltussen: Yes, he did some work on some of the ethical writings and he was really a strong rival for the succession, and it's perhaps an interesting question of What if? ff he had been the scholarch instead of Theophrastus, but the anecdote goes that Aristotle on his deathbed said, 'Well, the Lesbian wine is a bit sweeter than the Rhodean wine', and so in this kind of symbolic way he sort of chose Theophrastus over Eudemus, and it is said that Eudemus then sort of left Athens and went back to Rhodes to maintain his own kind of teaching environment, maybe a school, because Rhodes remains quite important in the Aristotelian tradition. Alan Saunders: We were talking about the revival of interest in Aristotle, about 200 years after his death, but something that happened in that intervening period is the rise of the Hellenistic philosophers—the Sceptics, the Stoics, the Epicureans—how did this affect interest in Aristotle? Han Baltussen: There is a sense, although as I said, it's very difficult to determine exactly on the basis of any evidence, but there is a sense that there was an interaction between these schools of thought because they were close to each other. I mean, Athens wasn't that big and they must have known about each other. And it is clear that some of the discussions that were going on, especially in natural philosophy, were connected to Aristotelian ideas. Theophrastus had some quarrel with Zeno about the eternity of the world, for instance, one of the bigger questions of natural philosophy. But it seems that the Hellenistic world was much more in need of having some good ethical values and moral code, and I think that the Stoics really managed much better in offering a moral code which was in their view closely connected to some knowledge about the natural world, because they were very much keen on connecting up all these different areas, the three most important being logic, natural philosophy and ethics. And I think they just had more to offer in a world which had become quite turbulent, because, of course, when Alexander the Great died, about one year after Aristotle, the big Alexandrian empire collapsed, as it were, and was divided up into all kinds of smaller kingdoms, and I think that some of that social disorder had an influence on the preference and the prevalence of moral thinking over natural philosophy. Alan Saunders: But it's not as though Aristotle was not a moral thinker. He wrote the Nichomachean Ethics, which is normally regarded as one of the great works of moral philosophy in history. Han Baltussen: Oh absolutely, but I think there we come to the problem of the availability of the works, and although we have not enough evidence to make very pertinent statements about it, it seems as if the immediate successes were not very much engaged with it, nor some of the other schools around them, and the suspicion is that it might have been the case that for some time the works were not readily available. Although the story, as I said earlier, that is told us about it being taken away to Asia Minor does not preclude there being other copies around. It's just one possible explanation to actually say, well, the emphasis didn't seem to be very much on ethics, except internal to the school. Alan Saunders: Now as you say, there's a revival in interest in Aristotle. Once we come to, say, the beginning of the Christian era, what is Aristotle's status? Han Baltussen: We have got some information on the broader attitude of Christian authors towards Greek philosophy, and they are somewhat torn. The first authors in the Christian tradition from the 2nd century onwards, we see that they are interested in some of the argumentative aspects of what Greek philosophy can offer, in order to defend their own faith. Alan Saunders: So that would be Aristotle's logic, for example? Han Baltussen: Yes, some of his logic, because if one work stands out in the 1st century BC, and AD, in the way that we know of some of the sparse evidence we have, is that they were very interested in the logic, especially what we now call the Categories. So the Categories is a work that looks at terms, if you like (I mean there's a debate even in antiquity about whether it's about terms or the things that are referred to by these terms, but apart from that) they were very interested in that. And so because a lot of early Christian fathers are part of the Greek world that we find even under the Roman Empire, and are educated within the Greek system, much of what they read comes still out of the Pagan tradition, and there's a bit debate, obviously, on how much you are supposed to be reading of that stuff if you are on the other side of the fence in terms of beliefs and religion. And so they have a very kind of torn view about retaining one bit, and rejecting others. And so logic seems to sort of get away with it, because it's not specifically related to questions of religion as such, and so it's rather neutral in theological terms. And they use it to good effect to actually argue in favour of things like the existence of God and the importance of Christian religion. Alan Saunders: In the Middle Ages, Aristotle was known as the philosopher, you didn't have to name him, you could just say 'the philosopher says this' or 'in the opinion of the philosopher'. When does he acquire this status? Han Baltussen: It's not an easy question, but I think that it's important to think of the way in which his work became to translate into Latin at some point, and we think that that's especially true with the work of Boethius, who was setting himself the task of trying to translate all of the logical works, or everything to do with reasoning as such. He just didn't manage to finish that, but I think the penetration into the Latin West, slowly though, because enough of the works didn't really reach the west until much later, have something to do with that. But I think the title of the Philosopher is partly to do with the fact that the form of canonization was unavoidable, especially in the second century AD, when the Professor of Aristotelian Philosophy in Athens, Alexander Aphrodisias started to write these elaborate commentaries. In his teaching he would then try to explain Aristotle to his pupils and he wrote up much of those explanations, and they are vast detailed and very much helpful commentaries that explain Aristotle to anyone who wants to know about him. And he was a Peripatetic in his thinking, although he did criticize Aristotle on some points. So if you have somebody who advocates Aristotelianism in a way that is based directly on Aristotle's works—except, because that had happened before, there were parallel stories about Aristotle which would be just based on summaries—then you have a much better chance of getting that particular authority across of the philosophy. Alan Saunders: I mean this is an impossible question, but is it possible to imagine Western philosophy without Aristotle and his heritage? Han Baltussen: Eventually I don't think so, because of the impact that his works had. We're very lucky that much has survived in the east, and then in the 15th century came across to the west. I mean some of it came a little bit earlier because of course we owe a lot to the Arabic philosophers in the 9th century, who almost obliterated most of his followers because they were just interested in Aristotle, people like Al Kindi, Al Farabi. I'm not an expert on that area, but they're crucial in the way in which Aristotle already came to the west through Spain, much earlier, but with the fall of Constantinople in the 15th century, of course, that was a major influx. And people were so blown away by that kind of huge systematic approach to the world where there was so much that was being explained which hadn't been done, at least not known to the West, that there is hardly a possible way of thinking about the Western canon without Aristotle. Alan Saunders: More in our next show about Al Kindi, Al Farabi and what was known as the translation movement, centred on the city of Baghdad, and what happened to the work of Aristotle there. This week I've been talking to Dr Han Baltussen, Senior Lecturer in Classics at the University of Adelaide. The program is produced by Kyla Slaven, with technical production by Charlie McCune. Don't forget that there's a special Greek page on our website, which is also the place to visit if you want to record your thoughts about the show. And I'll be back with more Philosopher's Zone next week. To celebrate the work of the late Alan Saunders who passed away on 15 June 2012, we are rebroadcasting his series on Greek Philosophy, first heard in November 2009. Just a few centuries after their deaths, Plato was thought questionable while his pupil Aristotle was all but canonised: there was almost a fear of criticising him. Everybody used his logic and Christians were drawn to him by his arguments about a first cause of all things. This week Han Baltussen from the University of Adelaide looks at the legacy of Aristotle and at why that legacy was worth preserving. Han Baltussen Alan Saunders, Presenter Kyla Slaven, Producer Broadcast 15 Jul 2012 15 Jul 2012 Sun 15 Jul 2012 at 7:30am Nicomachean Ethics (online edition) Commentators on Aristotle Aristotle's Metaphysics Philosophy, Community and Society, History More from The Philosopher's Zone Skilled performance and cognition Duration: 30 minutes 30m Published: Tue Tue 24 Jan 2023 at 10:00pm China, Confucius and the courtyard Published: 17 Jan 2023 Tue 17 Jan 2023 at 10:00pm Values and goals Pop, philosophy and politics Published: 3 Jan 2023 Tue 3 Jan 2023 at 10:00pm Listening FAQ SMS: 0418 226 576 (rates apply) Talkback: 1300 225 576 Radio National: (02) 8333 2821 General ABC enquiries: 13 9994 Get the RN newsletter Your information is being handled in accordance with the ABC Privacy Collection Statement.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Q: convert string to time_t and then convert time_t back to string I want to save a date time string to time_t and then convert it back to exactly original string. But the code below will output "2016-04-25_10:10:05" And the hour in the output will be incorrect by changing the date_str. If you change the code to std::string date_str = "1470-04-25_09:10:05";, the result will correct. Here is the code: #include <iostream> #include <ctime> #include <string> #include <sstream> #include <iomanip> int main() { // try changing year, hour will be incorrect std::string date_str = "2016-04-25_09:10:05"; std::tm tm{}; std::istringstream str_stream(date_str); str_stream >> std::get_time(&tm, "%Y-%m-%d_%T"); std::time_t time = std::mktime(&tm); std::stringstream stream; stream << std::put_time(std::localtime(&time), "%F_%T"); std::cout << stream.str() << std::endl; } A: Daylight Saving Time (DST) is used to save energy and make better use of daylight. It was first used in 1908 in Thunder Bay, Canada. This explains why any year that you pass prior to 1908 (or prior to the year your timezone adopted DST) will affect the hour. Also, answering to the one hour gap on the "2016-04-25_10:10:05" case, this is because you're not setting tm.tm_isdst prior to mktime() call: /* Assuming that all tm memory is set to 0 prior to this */ tm.tm_isdst = -1; /* mktime() will figure out the DST */ std::time_t time = std::mktime(&tm); According to POSIX-1003.1-2001: A positive or 0 value for tm_isdst shall cause mktime() to presume initially that Daylight Savings Time, respectively, is or is not in effect for the specified time. A negative value for tm_isdst shall cause mktime() to attempt to determine whether Daylight Savings Time is in effect for the specified time.
{ "redpajama_set_name": "RedPajamaStackExchange" }
During cancer progression, cancer cells are repeatedly exposed to metabolic stress conditions in a resource-limited environment which they must escape. Increasing evidence indicates the importance of nicotinamide adenine dinucleotide phosphate (NADPH) homeostasis in the survival of cancer cells under metabolic stress conditions, such as metabolic resource limitation and therapeutic intervention. NADPH is essential for scavenging of reactive oxygen species (ROS) mainly derived from oxidative phosphorylation required for ATP generation. Thus, metabolic reprogramming of NADPH homeostasis is an important step in cancer progression as well as in combinational therapeutic approaches. In mammalian, the pentose phosphate pathway (PPP) and one-carbon metabolism are major sources of NADPH production. In this review, we focus on the importance of glucose flux control towards PPP regulated by oncogenic pathways and the potential therein for metabolic targeting as a cancer therapy. We also summarize the role of Snail (Snai1), an important regulator of the epithelial mesenchymal transition (EMT), in controlling glucose flux towards PPP and thus potentiating cancer cell survival under oxidative and metabolic stress.
{ "redpajama_set_name": "RedPajamaC4" }
Q: Server.InternalError: Internal error on launch when switching ec2 root volume I'm trying to downgrade my EC2 instance root device (SSD) to a Cold HDD. I performed the following: * *Stopped my instance *Detached the root volume from my instance via the console (was mounted on /dev/xvda1) (not by force). *Created a snapshot of the detached root volume in the same availability area as the instance. *Downgraded my instance from t2.xlarge to t2.micro *Created a new Cold HDD volume from that snapshot in the same availability area. *Attached the newly created Cold HDD volume as /dev/xvda to the instance *Rebooted the instance Now I'm getting the problem that the instance stays "pending" when I reboot, and after 30 seconds or so it goes back to "stopped". The reason given is: Server.InternalError: Internal error on launch When I reattach the old volume, it reboots fine, so the error is coming from the new volume. Can someone tell me if I'm doing something wrong? Thanks! A: Answering my own question here: problem was Cold HDD is not an option to attach as a root of a new instance, but "Magnetic" was. Changed volume type to "Magnetic" in step 5 and it fixed it.
{ "redpajama_set_name": "RedPajamaStackExchange" }
Europe, Africa, Middle East (EAME) UK Facilities Caterpillar established its first major facility outside the United States more than 60 years ago in the UK. Today, the company employs more than 10,000 people in 20 major facilities. Caterpillar (UK) Ltd. North West Industrial Estate, Peterlee County Durham SR8 2HX Caterpillar Peterlee is the worldwide source of Cat® Articulated Trucks, currently producing a 7 variants used in many industries including mining, construction and aggregates. The facility's manufacturing activities use the latest computer analysis techniques, robotic technology and a state-of-the-art paint plant. Machines from the site are shipped to customers around the world. Building Construction Products Peckleton Lane, Desford Leicestershire LE9 9JT Handley Close, Preston Farm Stockton-on-Tees, Cleveland TS18 3SD Building Construction Products at Leicester is dedicated to the assembly of small construction machines, typically used on building and construction sites - Backhoe Loaders and Compact Wheel Loaders. Founded in 1952, Leicester was the first venture by Caterpillar outside the United States. The Caterpillar Building Construction Products' fabrication facility at Stockton uses the latest technology to cut, weld and machine all the major structures for use at the assembly plant at Leicester. Caterpillar UK – Drivetrain Component Design Hexagon House 3 Trinity Court WV10 6UH Caterpillar Wolverhampton is primarily focused on the design, sourcing and supply chain of drivetrain components to Caterpillar and external OEMs (Original Equipment Manufacturers). It is a market leader in the design, development, manufacture, sales and support of off-highway transmissions (50 kW / 67 hp to 135 kW / 180 hp) for Backhoe Loaders, Telescopic Material Handlers, Wheel Loaders and 4-9 tonne Site Dumpers, and a supplier of components to other transmission manufacturers. Caterpillar Defense Caterpillar Shrewsbury Ltd. Lancaster Road, Shrewsbury SY1 3NX, UK Caterpillar Defense at Shrewsbury is responsible for the design, development and integration of engine and drivetrain packages to meet the needs of tracked and wheeled military products globally. The facility also provides remanufacturing services of industrial military engines, components and transmissions. Caterpillar Financial Services Caterpillar Financial Services (UK) Limited Friars Gate 1011 Stratford Road B90 4BN Caterpillar Financial Services (UK) Limited is dedicated to providing world-class financial services to Caterpillar, Cat dealers and customers in the UK to support the sale of Cat products. Caterpillar Impact Products Regal Court, 42-44 High Street, Slough Berkshire, SL1 1El Caterpillar Impact Products Ltd. (CIPL), based in Slough, is a product group with worldwide responsibility for machine-mounted hydraulic hammers. These hammers fit onto Mini Hydraulic Excavators, Skid Steer Loaders, Backhoe Loaders and Hydraulic Excavators. CIPL was formed in 1997 as a joint venture between Caterpillar Inc. and Sandvik AB of Sweden, and has staff in six countries outside the UK. Caterpillar Marine Caterpillar Marine Power UK LTD 22 Cobham Road Ferndown Ind Est BH21 7PW Caterpillar Marine Power UK Ltd. formerly the Wimborne Marine Power Centre, originally manufactured and marketed Perkins Sabre and Perkins Marine Engines, was acquired in 2000 by Caterpillar Inc and is part of Caterpillar Marine. In 2017 new upgraded facilities on the original Wimborne site were opened including new administration buildings, design centre and world-class manufacturing and logistics facilities. Today the business designs, manufactures and sell propulsion engines, auxiliary diesel engines and diesel electrical generators; exclusively for marine applications under the Cat® and Perkins Marine® brands. The products manufactured here are used in oceangoing (cruise and cargo), high performance (pleasure craft, Government, Defense and fast ferry) and workboat (offshore, tug and salvage, passenger, inland waterways, fishing and dredging) applications. Caterpillar Northern Ireland Caterpillar (NI) Limited Larne Facility Old Glenarm Road BT40 1EJ Springvale Facility Springvale Business Park 11 Millennium Way BT12 7AL 1 Millennium Way Caterpillar Northern Ireland has been providing people and businesses around the world with a reliable power supply since 1966. Formerly known as FG Wilson, the business was acquired by Caterpillar in 1999 and is now an integral part of the Caterpillar group. The company has multiple sites in Northern Ireland. The facility located in Larne is home to the electric power generator business where the primary focus is in the design, manufacture, sale and support of quality generator sets as well as associated equipment that provides reliable electric power around the world. These products are used to support key business sectors including data centers, construction, mining, telecoms, healthcare, tourism / leisure, retail, banking and other industries. In recent years, the company has diversified its product portfolio to include the production of major component subassemblies for Cat® articulated trucks including axles and transmissions which are manufactured at the Springvale facility, Belfast. Caterpillar Remanufacturing Services Lancaster Road, Shrewsbury SY1 3NX Caterpillar has been providing remanufacturing services in Shrewsbury for more than 20 years. Using a host of remanufacturing technologies, the facility receives engines and a range of other components from customers, and cleans, refurbishes, reassembles and updates them in compliance with the exacting standards set by Caterpillar. The site remanufactures thousands of items each year, bringing significant environmental and cost benefits to Caterpillar and third-party customers. Caterpillar Business Park Peterborough, PE1 5FQ www.cat.com/industrialengines and www.perkins.com Our Caterpillar facility in Peterborough is the manufacturing location for Cat® industrial engines and Perkins engines. The facility produces Cat industrial engines from 0.5-7.1 litres to meet the needs of equipment manufacturers across the world. These engines power thousands of unique applications for many of the leading OEMs whose equipment complements customers' Cat equipment fleets. Designed to power machines operating in the harshest environments, customers trust Cat engines to deliver performance and reliability backed by the global Cat dealer network. Perkins' 0.5-7.1 litre industrial power solutions are manufactured in Peterborough. Working in collaboration with over 800 original equipment manufacturers in the agricultural, construction, electric power generation, industrial and materials handling markets, Perkins has nearly nine decades of experience of designing, building and servicing industrial engines. With more than 21 million engines manufactured powering over 5,000 different applications across the world, Perkins engines are supported by a global distribution network. Large Power Systems Perkins Engines Tixall Road Stafford, ST16 3UB Perkins' Stafford-based facility is a Centre of Excellence for the manufacture of the company's largest and most powerful diesel engines which are used by customers around the world to deliver reliable prime and standby power generation. Highly skilled employees produce engines at the 30-acre site to support customers around the world who depend on Perkins-powered generator sets. In addition to the 4000 Series range, the Stafford site will begin manufacturing Perkins' newest global product – the 5000 Series – in 2021. The most powerful line of electronic engines to date, the Perkins® 5000 Series provides emergency standby power for a range of critical applications such as data centres, hospitals and commercial buildings, as well as prime power for applications where power from the grid is not an option. Progress Rail Services Progress Rail UK Ltd. Headrig Road West Lothian, EH30 9SH www.progressrail.com Progress Rail Services UK Limited Osmaston Street Sandiacre Nottingham, NG10 5AN Tel. Direct +44(0)115 9218 218 Progress Rail Services UK Ltd was acquired by Progress Rail Services Corporation (a subsidiary of Caterpillar) in May 2011; the business, which incorporates the former Edgar Allen business, can trace its origins to the 1850's and the birth of the rail industry. The business operates from four sites in the UK; Sandiacre and Beeston (both on the outskirts of Nottingham), Sheffield, Darlington and South Queensferry (Scotland). The business is a designer and manufacturer of special trackwork and ancillary rail infrastructure products for the UK and international rail markets, providing products into all market sectors including light rail systems, mainline railways and heavy haul/freight lines. The business has production capability that includes a cast manganese steel foundry, an iron foundry, specialist rail machining facilities, a steel fabrication facility and an assembly facility capable of assembling large special track work panels. Electro-Motive Diesel Electro-Motive Diesel Limited (EMDL) is a subsidiary of Electro-Motive Diesel, Inc. (EMD) Founded in 1922, EMD is one of two U.S. original equipment manufacturers of diesel-electric locomotives. EMD is the only diesel-electric locomotive manufacturer to have produced more than 73,500 engines and has the largest installed base of diesel-electric locomotives in both North America and internationally. EMDL is EMD's entity with responsibility for Europe, we have sites across the UK, Germany, Belgium and Netherlands. EMDL operates in both the rail and power/marine sectors providing spare parts, maintenance services, component rebuild, rehabilitation, modernization, repowers, warranty administration and technical support to its many customers. Electro-Motive Diesel Limited Longport Goods Yard, Brookside Industrial Estate Off Station Street, Longport, Stoke-on-Trent, ST6 4NF SPM Oil & Gas Scotland Limited A Caterpillar Company SPM House Badentoy Crescent Badentoy Industrial Park AB12 4YD SPM Oil & Gas Scotland Ltd is a dedicated SPM service facility responsible for all OEM Sales, Iron rental and Aftermarket services for the SPM product portfolio in Europe, Africa and Russia. Track shoe manufacturing operations Caterpillar Skinningrove Ltd. Carlin How Saltburn-by-the-Sea Skinningrove, TS13 4EE Caterpillar Skinningrove is located near Teesside and began operations in 1997. The facility, part of the Remanufacturing and Components Division, produces steel track shoes. When mounted on the track link assembly, the track shoes form the 'Cat track' found on Hydraulic Excavators, Track Type Loaders and Track Type Tractors. The operations include steel cutting, heat treatment, and painting and cover an area of approximately 5,000 square metres. Other Caterpillar Businesses in the UK European Marine Finance Group specialises in financing vessels powered by new Cat engines, MAKâ engines and Solar Turbines. Caterpillar Commercial Northern Europe is responsible for ensuring the success of Cat Dealers in the UK, Ireland and Iceland. It works with dealers to improve their performance and to provide customers with the vest machine sales and product support services. Solar Turbines is a world leader in the design, manufacture and servicing of industrial gas turbine power system solutions for the oil & gas and power generation industries. Based in Aberdeen, the company's engineers provide service support for equipment produced by Solar Turbines.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
i am doing a survey to find out whether i am crazy or if people just want something for nothing. i have been looking at a few houses to wire. one is 2000 sq. ft. no plans and another is 6000 sq. ft. with plans. my question is what is the best way to bid a job like these? i used to bid jobs by the opening but that doesnt seem to work anymore. now i try to do it by the sq. ft. and that isnt doing any good. i hear of electricians wiring houses for .70 a sq. ft. i cant and wont work for that. i would like to get 2.25 to 2.50 a sq. ft. but i cant seem to even get anything at 1.50 a sq. ft. i usually include the permit and administartive work as well as the service, rough-in and trim. no fixtures. i have a couple estimating programs but a lot of times i just visit the site and look at the job...occasionally i will do a take off from the plans if there are any. any input would be GREATLY appreciated!!!! It would seem most methods are not without a hole or two. To add, a lot depends on what forthought in involved. The individuals that hand me crayola plans & think they are valid are example. Some can be guided to solid comclusions, some procrastinate. One think is for sure, i'll not do fixtures. This is an area that people 'cheap out' on , then expect you to stand behind if involved. The average marketed fixture, IM(ok, not so Humble this am)O , is poorly made in the first place. Who else hangs the fixtures for you then? The homeowner or another electrician? wv - I bid the fixtures extra after I've seen them ...there is a big difference between a standard single lamp ceiling fixture and having to assemble some junk Home Depot ceiling fan (that takes hrs to figure out how to assemble). I think bidding by the outlet is the most accurate figure for determining actual work - if you bid sq. ft. there are Large differences in the number of outlets (some bedrooms have ceiling light fixtures, others are receptacle fed)etc. when i bid houses i use per opening, service, as a base bid-fixtures not included. then if possible take the new home owner to a fixture show room and have them (both her and him- as applicable) pick out thier fixtures. Then you can figure the rest of the bid. you also can see what they want and expect. If you have an account at that show room, have the salesman quote list price to them. It makes your bid appear more reasonable. After finishing the rough in a house I set a box in the vaulted ceiling over the stair-well, your standard 4" round box because the owner said he only wanted a small light in that area. Well 2 months came and went and the drywall went up and I came back to hang the fixtures all were standard one and two 60 watt decorative types but over in the corner was a huge box about 3 and 1/2 feet high, and of course I said what in the world is that monstrosity in the corner, Oh that, well that going in the stairwell, it weighed 37 and 1/2 kg or 2.28lbs per kg and had an overall length of 7 feet. You can bet the fur flew, and when all was said and done therer were WCO made out and also it took 4.5 hours to hang that sucker. the worse part was going up in the attic over the vaulted ceiling and changing the box to support this monster. I dont do anything anymore w/o it being in writing and we both agree on it. i will install the fixtures only if they are on site when i am there trimming out. i always ask about special lighting or cieling fans. every job is different as far as how much custom wiring needs to be done. what does $35 an opening sound like? trying not to go broke!!!! Who else hangs the fixtures for you then? I'll refer to a good lighting shop, they'll sit with mama for hours, have tea, talk up the wheather etc. The final lighting package can then be faxed, T&M estimated, or package trim out included in the bid, i.e.--27 fixture package#____ hung from ABC lighting shop.. about the rate here, adjust as your locale permits. $35 a hole is, as I understand it, fairly representative of "about what it costs" for the box, device, cover & local wiring. You probably are crazy (look at who you hang out with on the internet)!! People always want something for nothing.
{ "redpajama_set_name": "RedPajamaC4" }
Welcome to the Afonso de Paula google satellite map! This place is situated in Sto Antonio do M, Minas Gerais, Brazil, its geographical coordinates are 20° 1' 0" South, 45° 17' 0" West and its original name (with diacritics) is Afonso de Paula. See Afonso de Paula photos and images from satellite below, explore the aerial photographs of Afonso de Paula in Brazil. Afonso de Paula hotels map is available on the target page linked above. Register at Afonso de Paula or add new placemark for Afonso de Paula. Afonso de Paula hotels: low rates, no booking fees, no cancellation fees. Maplandia.com in partnership with Booking.com offers highly competitive rates for all types of hotels in Afonso de Paula, from affordable family hotels to the most luxurious ones. Booking.com, being established in 1996, is longtime Europe's leader in online hotel reservations. We have put together also a carefully selected list of recommended hotels in Afonso de Paula, only hotels with the highest level of guest satisfaction are included. The location of each Afonso de Paula hotel listed is shown on the detailed zoomable map. Moreover, Afonso de Paula hotel map is available where all hotels in Afonso de Paula are marked. You can easily choose your hotel by location. Many photos and unbiased Afonso de Paula hotel reviews written by real guests are provided to help you make your booking decision. Luxury hotels (including 5 star hotels and 4 star hotels) and cheap Afonso de Paula hotels (with best discount rates and up-to-date hotel deals) are both available in separate lists. Always bear in mind that with Maplandia.com and Booking.com the best price is guaranteed! We search over 500 approved car hire suppliers to find you the very best Afonso de Paula rental prices available. You can compare offers from leading car hire suppliers like Avis, Europcar, Sixt or Thrifty as well as budget rental deals from Holiday Autos, Budget, Economy, EasyCar, or 121 carhire. Choose Afonso de Paula car hire supplier according to your preferences. The booking process is secured and is made as simple as possible. You don't have to browse through several websites and compare prices to find cheap car rental in Afonso de Paula — we will do it for you! Car rental offices nearest to Afonso de Paula the city centre. Compare Afonso de Paula car rental offers by various suppliers. Compare prices on flights to and from the closest airports to Afonso de Paula. We search through offers of more than 600 airlines and travel agents. When you find a deal you want, we provide link to the airline or travel agent to make your booking directly with them. No middlemen. No added fees. You always get the lowest price. Airports nearest to Afonso de Paula are sorted by the distance to the airport from the city centre. Follow relate airport hotel guides for accommodation booking. You can also dive right into Afonso de Paula on unique 3D satellite map provided by Google Earth. With new GoogLe Earth plugin you can enjoy the interactive Afonso de Paula 3D map within your web browser. If you would like to recommend this Afonso de Paula map page to a friend, or if you just want to send yourself a reminder, here is the easy way to do it. Simply fill in the e-mail address and name of the person you wish to tell about Maplandia.com, your name and e-mail address (so they can reply to you with gracious thanks), and click the recommend button. The URL of this site will be included automatically. You may also enter an additional message that will be also included in the e-mail.
{ "redpajama_set_name": "RedPajamaC4" }
'Defending the home:' Soldiers recall mission to thwart Iran drone attack F-16 squadron commander explains to Israeli TV why he personally led strike in Syria on Iranian-backed cell; intelligence officer: 'We were right… down to the last detail' By ToI Staff 11 October 2019, 11:56 pm Edit Illustrative: A Lockheed Martin F-16I 'Sufa' takes off during the Israeli Air Force flight school's 156th graduation ceremony. (Tsahi Ben-Ami/Flash 90) While many of the hundreds of Israeli strikes in recent years on Iranian targets in Syria have reportedly targeted armaments, on a slow summer day in late August Israeli Air Force pilots received a quite different mission. Unlike many of the airstrikes in Syria attributed to it, Israel quickly took credit for the August 24 operation, which it said targeted a cell from the Quds Force of Iran's elite Islamic Revolutionary Guard Corps that was planning to attack Israeli territory with explosives-laden drones. "What is different about this strike from other operations the air force does in the theater is that… it was the thwarting of an [imminent] attack that was going to be carried out," IAF Lt. Col. "Nun" told Channel 13 news in a segment aired Friday. The network played audio recordings from the pilots in the air before and after the strike, which Nun, a F-16 squadron commander identified only by the Hebrew initial of his first name, said was carried out within 13 minutes of takeoff. "I dropped four munitions," a pilot can be heard saying. A still from a video purporting to show an Israeli strike on Iran-backed forces in Syria on August 24, 2019. (screen capture: Twitter) Nun himself led the mission, saying: "I think it's my role as a commander to be at the head of an attacking force." He also recalled what he told his squadron following the mission. "What we did that night and all the hard work we're doing during the year is exactly for this moment – defending the home," the pilot said. The strike came days after what the Israel Defense Forces said was a failed attempt by the Iran-backed fighters to launch an explosives-laden drone into northern Israel from Syria. At least five people were killed in the raid, according to the Syrian Observatory for Human Rights. Israel identified two of those killed as Lebanese nationals Hassan Yousef Zabeeb, 23, from the town of Nabatieh, and Yasser Ahmad Daher, 22, of Blida, both of whom were Hezbollah members. "We take the working assumption… that everyday the Quds Force is trying to advance an attack," Lt. Col. "Yud," head of the Quds Force branch in the research and analysis division of Military Intelligence, told Channel 13. "It's really like a roller coaster," he said. This satellite photo provided by private intelligence firm ImageSat International on August 25, 2019, shows the aftermath of an Israeli strike on a compound in the Syrian town of Aqrabah from which the Israeli military says Iran tried to launch explosive-laden drones into northern Israel. (ImageSat International) Yud said his unit gathered intelligence on Zabeeb and Daher and learned of a villa in the Damasacus-area village of Aqrabah where they were staying. "There all the preparations were carried out," he said. This intelligence was subsequently passed onto the IAF and Yud acknowledged having trepidations when transferring such information. "Always. This is part of the game. We really need to be modest about our ability to describe things. Lots of times people think we know everything but there are probably lots of question marks," he said. He later recalled in the interview: "We were right, I must confess in this case, down to the last detail." Though based at IDF headquarters in Tel Aviv, Yud said his unit feels like it is on the front lines. "Even though we serve at the Kirya, we feel like we're with a helmet on our heads, also defending, doing the work that needs to be done," he said. Hassan Yousef Zabeeb, left, and Yasser Ahmad Daher, two Hezbollah members killed in an Israeli airstrike in Syria to thwart a plot to launch armed drones into Israel, seen flying to Iran from Lebanon in an undated photograph. (Israel Defense Forces) Though that mission was over, Nun's squadron remained on high alert after Hezbollah vowed revenge for the death of its two operatives, as well as for a strike attributed to Israel in a Beirut neighborhood that reportedly targeted key equipment for making munitions into precision-guided missiles. The response came a week later, when on September 1 the terror group fired anti-tank missiles at a military jeep along the border. A man holds the apparent remains of an anti-tank missile that was fired by the Lebanese terror group Hezbollah, near the northern moshav of Avivim, September 1, 2019. (David Cohen/Flash90) No Israelis were hurt by the missile fire, shrapnel from which punctured a tire on the vehicle, which was carrying five soldiers. Though that danger appeared to pass, Nun said Israel needed to remain alert against Iran and its proxies, particularly following the sophisticated joint-drone and cruise missile attack on Saudi oil facilities last month that has been blamed on Tehran. "We really can't disparage them. It's forbidden to us," he said. An open letter to Israel's friends in North America IAF Israeli Air Force Syria airstrikes Quds Force Death toll rises above 15,000 in Turkey-Syria quake, as hope dwindles for survivors By Agencies and ToI Staff Reporter's Notebook Judah Ari Gross In devastated Turkey, rescuers battle cold, concrete to save those trapped by quake Whole neighborhoods of Kahramanmaraş were flattened in Monday's tremors; professional teams and local residents fight the clock to pull people from the rubble before it's too late World court starts process toward producing advisory opinion on Israeli-Palestinian conflict, setting October deadline for countries to submit statements and responses Participants in local authorities' education conference walk out as Haim Biton claims high Haredi birth rate has defeated alleged efforts to suppress community Moshe-Mordechai van Zuiden Israel immediately must ratify th... Kenneth Cohen Greatest Day Ever Shaanan Scherer When they kissed my hand in Turke... Report from Turkey; how the court is to the right of the PM Netanyahu orders NSC to assess earthquake preparedness, with thousands in danger
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Difficult Decisions for Assad, but Syrian Art Sizzles Posted by Joshua on Monday, September 8th, 2008 Syrian Art Sizzles, by Andrew Lee Butters for Time's MidEast blog: Syrian artists — or at least some of them — are poor no more. Middle Eastern art in general is the latest emerging scene in the contemporary art world, and Syria is moving to the center of it. In the past two years, prices for the artists that Samawi represents have risen 500 to 1,000 percent. Paintings for his top artist, Safwan Dahoul (pictured above), command as much as $200,000. Ayyam Gallery sells most of its works for around $10,000 to $20,000, has a branch in Dubai, is opening one in Beirut, and an exhibition — "Damascus Calling" — at an international art show in New York this October. ….. Difficult decisions loom for Syria's Assad By Khaled Yacoub Oweis – Analysis Reuters, 8 Sept. 2008 DAMASCUS (Reuters) – After basking in international limelight, Syrian President Bashar al-Assad faces difficult decisions that could change the political landscape of the Middle East. Peace talks with Israel and cooperation on Lebanon have helped bring the once international outcast in from the cold, culminating in a visit last week by French President Nicolas Sarkozy, the first Western head of government to visit Syria since the 2005 killing of Lebanese statesman Rafik al-Hariri. But Assad, shaped by his late father's lifetime of struggle with Israel, is facing pressure to change old alliances with Iran and militant groups, and take specific action on Lebanon to dispel the impression that Syria still refuses to accept the sovereignty of its smaller neighbor. …. Syria has asked France for help on stalled peace talks with Israel. …. "Assad wants to keep talking with Israel without committing to anything. It is understandable since Israel has also not given him anything," one diplomat in the Syrian capital said. "But Syria cannot keep on dancing with everybody without kissing anyone. Assad has shown no signs of burning bridges with Iran. Hamas is an easier card to play," he added. Damascus demands the return of all the Golan. Israel, in turn, wants Syria to scale back ties with Iran and cut links to the Palestinian Hamas and Lebanon's Hezbollah, which could mean expelling the Hamas leadership from Damascus and cutting an alleged supply line to the Lebanese Shi'ite group from Syria. Hamas has denied an Arab press report that its exiled leader Khaled Meshaal was moving to Sudan, but the group stands to lose politically if a peace deal is signed between Israel and Syria….. Syria favors moving to direct talks only after a new U.S. administration comes to office. Assad said an American role was necessary but Turkey will continue to be a main mediator. "BEHAVIOUR PROBLEM" ….. Syria's proposed economic association agreement with the European Union faces opposition from Britain if Damascus does not cut its alleged support to infiltrators into Iraq. The agreement needs approval of all European Union members to pass. "Syria is still seen as having a behavior problem, and a new U.S. administration will not change this. One way of doing so is to deliver on (opening) embassies with Lebanon, start physical work on the demarcation of the border and stop backing insurgents in Iraq," another diplomat said. Assad recently agreed to open diplomatic relations with Beirut and border demarcation, but these issues are mired in committees. Sarkozy made it clear that French rapprochement would not last without specific Syrian action. Leading Syrian journalist Thabet Salem said the lure of returning the Golan and the economic benefits of peace — Syria's economy has woefully underperformed for decades — would drive Syrian rulers to change their external posture. "Syria always puts its interests first," Salem said. "The issue is not whether Syria can disengage from Iran, Hezbollah or Hamas but if Israel does not give back the Golan and the talks fail. We're then back to point zero. "Egyptian anger at Syria and Qatar" (Al-Akhbar Lebanon) Mideastwire.com Cairo is angry at the Syrian and Qatari movements. The sources revealed to Al-Akhbar that Cairo was not pleased at Syria and Qatar's attempts to enter on the line of the prisoner exchange deal being brokered by the Egyptians between the Palestinian Hamas movement and the Israelis. …The official stressed: "We were never against Damascus. But, on the other hand, we never supported its project and attempts to impose its control and hegemony on Lebanon or to spread the Iranian Shi'i project in the region"…" "Awakenings elements seeking asylum outside of Iraq…" (Az-Zaman) Mideastwire …"The commander of the Awakening forces in Diyala stated that thousands of his elements were about to seek asylum in the West along with their families, for fear of being killed or kidnapped by the militias and the governmental troops in light of the Iraqi authorities' decision to pursue and disarm them. The commander of the Awakening forces in the Diyala province, Ala'a Hamad Sultan al-Nadawi, warned of the bleak fate of his fighters if the government does not handle the unemployment problem that will emerge following its decision to allow only a few elements to join its security forces with thousands of others left without a job. …. Accord aims to end north Lebanon bloodshed AFP A reconciliation accord due to be signed later Monday between Alawites and Sunnis in northern Lebanon's capital of Tripoli aims to restore state control in the port city and put an end to bloodshed….. UN to demand Israel pay Lebanon $1 billion by Roee Nahmias UN Secretary-General Ban Ki-moon will demand that Israel pay Lebanon $1 billion in compensation over damages caused during the Jewish state's 2006 war against Hizbullah, Lebanese media reported Saturday…. Why Did Violence Plummet? It Wasn't Just the Surge. By: Bob Woodward | The Washington Post In Washington, conventional wisdom translated these events into a simple view: The surge had worked. But the full story was more complicated. At least three other factors were as important as, or even more important than, the surge. These factors either have not been reported publicly or have received less attention than the influx of troops. … Israeli Police Suggest Indicting Olmert By: Isabel Kershner | The New York Times The Israeli police on Sunday recommended indicting Prime Minister Ehud Olmert on charges including bribe-taking, fraud and breach of trust. Tzipi Livni: Grasping the Nettle By: Dominic Moran | ISN Security Watch Israeli Foreign Minister Tzipi Livni is favored to assume the role of prime minister, but victory on 17 September guarantees nothing. … Zvi Bare'l in Haaretz, here (via FLC) "….Better yet, Israel, which has always made sure to enlist the U.S. against Syria and made an essential contribution to sanctions against Syria, has broken through a new road for itself and shown the U.S. policy of sanctions to be an empty vessel…." Categories: France, Golan, Hizbullah, Iran, Iraq, Israel, Lebanon, Palestine, peace, Society & Culture, UK « Hokayem and Young on the Assad-Sarkozy Summit News Round UP (9 Sept. 2008) » Observer said: I do believe that the negotiations with Israel are meant to allow some freedom of action on the part of Syria towards Iran. Syria likes its alliance but does not want it to become too close. The West is asking the impossible of Syria, they are asking that Syria become like Jordan or Egypt, abandon all for a simple promise of keeping the regime alive while still not giving any substantial support. The $3 billion that Egypt receives are a drop in the bucket of the Egyptian woes and economic troubles. The Jordanian cannot even pump water from the Jordan river anymore. So if I were Syria I would continue to negotiate and talk and as we say in Damascus " follow the liar to his doorstep". If the Syrians believe that a new administration will give them any new leaway they are mistaken. The US has limited ability to offer anything substantial as it cannot deliver what AIPAC has already vetoed. The Syrians are afraid as they see the entire region extremely fragile and the fact that the new power in Iraq is different from any of the other regimes for the first time we have a goverment that is backed by the majority in the country therefore the rule of a family or clan or sect in the minority over the majority is coming to an end. The reason the sunnis are deathly afraid of the new Maliki assertiveness is that they know that his majority community will back him fully. Once again the big loser is Saudi Arabia. They have lost on all fronts. Egypt is irrelevant and Jordan is an Israeli colony. This is exactly what the Salafists want; complete chaos and failure of every project small or big regional or internattional. Akbar Palace said: Egypt is irrelevant and Jordan is an Israeli colony. If Syria agrees to a peace treaty with Israel, will you have a different label for Syria, or will they be "irrelevant" and/or "an Israeli colony" as well? Please explain your answer. How do you know if Syria isn't irrelevant now? Leila Abu-Saba said: Hah – I'm going to Damascus in four weeks… for a very short visit. My traveling companion is an artist and art teacher – now we've got one more must-see to shoehorn into our whirlwind tour! Ak! Thank you so much for posting the link about the Syrian art scene – I sent it to her just now. Karim said: I'm sorry Observer ,but when i read you i prefer to say Mouhalel Bol instead of Mouhalel Siyasi. About the Syrian painters and sculptors,in his blog ,Dr Imad Mustapha regularly introduces syrian talents. Unfortunately in Iraq ,they also have great artists,many of these works were lost for ever when the neo cons and neo tatars invaded Baghdad. Rumyal said: The first paiting looks a little bit like a Fernand Léger piece. Joshua, are you taking a cue from Imad Moustafa's blog? 🙂 Averroes said: I agree that Saudi Arabia is a big loser currently, but I differ with you on your description of Egypt in particular. Egypt is currently dormant, but it is home to a living people and will bounce back sooner or later. Let us hope that the Maliki government will be a government for all its people, Shiites, Sunnis, and otherwise, although I doubt it. We really don't need to repeat the agonies of the past in reverse. One of the best syrian sites on the web dedicated to the great aleppine painter Louai al Kayyali. http://www.louay-kayali.com/home.htm and here an anthology of Syrian artists. http://www.syriaart.com/new/index.php?page=filterarts&p=106 some of the works of Fatih al Moudaress. An interesting report from Al Jazeera. http://fr.youtube.com/watch?v=hvTD_Zbw6jU trustquest said: Thanks Karim for the link to Louay Kayali site. Q: why the link of Syria Art, did not list Talal Abudan? or the guy is forgotten in the dictator prison like Kamal Lubwani. And can Imad Mustafa introduce Abudan to his "collection", which I hope he asked permission to do so from Artists and legal owners. Ahleen Trustquest ,few people also know that Dr Kamal Labwani is an artist ,and i saw some of his works ,not bad at all. But is Imad Mustapha not as prisoner than we are?. Ahleen wasahleen feek Karim, There is no mercy for anyone what ever his value. This is what they did to him and his arts last January. That is why I doubt Mr. Mustafa stand on art and artists: http://english.aljazeera.net/news/middleeast/2008/01/2008525122411823457.html Those wonderful Syrian intellectuals all around the world, and especially who could not visit their own country, the whole world recognized them but not their country. This is a criminal act no one can defend. I really feel too sad for this situation and I feel their fans not only have to make them recognized but also need to protect them from the perjuries of the authority. Nizar Kabani , was not the friend of the regime, they hate him and he hate them. The authority has no right to present him, talk about him and pick and choose what they like from him after his death, because they have no right to slice him as they want. Dr. Imad Mustafa, is a wonderful guy who is way better than his echelon friends who put him in position. But, that does not mean he is better than them if he did not criticize half century long of harm done by the regime. There is now something like, I know you hate me, and I hate you but I can wait till you die and pick and choose from you without your permission, this is dirty. That what happen to Nizar Kabani and happened to Dr. Sharabi on Mustaf blog. Read embers and ashes on his blog: http://209.85.173.104/search?q=cache:OdxNiimzP2kJ:imad_moustapha.blogs.com/my_weblog/2006/01/page/2/+%22imad_moustapha.blogs.com%22,+Hisham+Sharabi&hl=en&ct=clnk&cd=1&gl=us And see the wrong conclusion he comes up with: "he continued his conversation with me as if I had told him nothing about my job. I think the late Sharabi was not very fond of ambassadors, but how can I help it?" He should have at least criticized his country for not giving those wonderful people what they deserve. I think Mr. Mustafa is not doing any good for those people he presents or try to recognize while he is in his current position. I wish he would realize that. Despite all this sad reality ,we have to be understanding with the good elements who unfortunately work for the Syrian regime and even polish its image outside of Syria ,many of them are good people and inwardly they criticize the regime more than we do,… you know the nature of the regime we have in Syria. Clovis Maksoud dislikes the Syrian regime ,but Imad Mustapha has good relation with him.When the regime will end ,such people will play an important role in the transitional era.And there will be no need for a debaathification,all of those are false baathists and Mustapha i think is not Baath member.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
<!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <title>Persistent Form</title> <link rel="icon" type="image/png" href="../../img/favicon.png"> <link href="../../css/bootstrap/bootstrap.css" rel="stylesheet" /> <link href="../../css/fontawesome/font-awesome.css" rel="stylesheet" /> <link href="../../css/global.css" rel="stylesheet" /> <style> header { margin-top:10px; } textarea { min-height:200px; } label { font-weight:normal; } #state-box { width:90px; } #msg-container { position:relative; min-height:55px; } #msg { display:none; } </style> </head> <body> <article class="container"> <div class="well"> <form> <input type="radio" id="localStorage" name="storage-strategy" value="0" checked /> <label for="localStorage"><code>localStorage</code></label> <br /> <input type="radio" id="sessionStorage" name="storage-strategy" value="1" /> <label for="sessionStorage"><code>sessionStorage</code></label> </form> </div> <div id="msg-container" class="alert alert-info"> <span id="msg" class="text-muted"></span> </div> <h1>Add Home</h1> <form id="add-home-form" name="add-home-form" class="form-horizontal"> <fieldset> <legend>Add a new home for listing.</legend> <div class="form-group"> <div class="col-sm-2"> <label for="address-box" class="control-label">Address</label> </div> <div class="col-sm-9"> <input type="text" id="address-box" name="address-box" autofocus required class="form-control" /> </div> </div> <div class="form-group"> <div class="col-sm-2"> <label for="city-box" class="control-label">City</label> </div> <div class="col-sm-9"> <input type="text" id="city-box" name="city-box" required class="form-control" /> </div> </div> <div class="form-group"> <div class="col-sm-2"> <label for="state-box" class="control-label">State</label> </div> <div class="col-sm-9"> <input type="text" id="state-box" name="state-box" required class="form-control" /> </div> </div> <div class="form-group"> <div class="col-sm-2"> <label for="zipcode-box" class="control-label">Zip Code</label> </div> <div class="col-sm-9"> <input type="number" id="zipcode-box" name="zipcode-box" min="0" max="99999" required class="form-control" /> </div> </div> <div class="form-group"> <div class="col-sm-2"> <label for="comments-box" class="control-label">Comments</label></div> <div class="col-sm-9"> <textarea id="comments-box" name="comments-box" required class="form-control"></textarea> </div> </div> <div class="form-group"> <div class="col-sm-9 col-sm-offset-2"> <input type="button" id="add-home-button" name="add-home-button" value="Send" class="btn btn-default btn-primary btn-lg" /> </div> </div> </fieldset> </form> <div id="explanation" class="modal fade"> <div class="modal-dialog"> <div class="modal-content"> <div class="modal-header"> <button type="button" class="close" data-dismiss="modal" aria-hidden="true">&times;</button> <h4 class="modal-title">Automatic Persistent Form</h4> </div> <div class="modal-body"> <p class="well well-sm">This page saves to either local or session storage every 5 seconds. Notice how if you make changes to the form (and allow it to save) you can leave the page and upon your return your data will return back to the input fields. </p> <h4>Local Storage</h4> <p>If you select <code>localStorage</code> then you can close the browser and return, open a new tab and navigate back to the page - even reboot your machine and your data will persist. </p> <p class="alert alert-info"><strong>Note:</strong> Context changes when you switch from regular to &quot;in private&quot; or &quot;incognito&quot; browsing. If you find unexpected results in some <a href="http://stackoverflow.com/a/9319378/74399">browsers private browsing may be to blame</a>.</p> <h4>Session Storage</h4> <p>Using <code>sessionStorage</code>, however, is only good during the browser's session.</p> <p class="alert alert-info"><strong>Note: </strong> Sessions are not continuous in different tabs.</p> </div> <div class="modal-footer"> <button type="button" class="btn btn-default" data-dismiss="modal">Close</button> </div> </div> </div> </div> </article> <script src="../../scripts/jquery.js"></script> <script src="../../scripts/bootstrap.js"></script> <script src="../../scripts/layoutMaster.js"></script> <script src="localDataService.js"></script> <script src="viewModel.js"></script> </body> </html>
{ "redpajama_set_name": "RedPajamaGithub" }
During the last months, many consumers contacted us with complaints regarding an onlineshop for design furniture, called Interiorfox. In the meantime it has become known that the Irish trader is insolvent. In a first statement, the company told its customers that no further orders or request could be handled. Due to substantial financial losses, they had no other choice than to close the business. Within this e-mail, the trader advised consumers who paid via credit card to ask their credit card provider for a chargeback. Meanwhile, further information is available from the provisional liquidator, the company David Kennedy Financial Consulting. They provide current information on a dedicated website: https://interiorfox.wordpress.com. So far, we don't know if there will be any insolvency proceedings where consumers could lodge their claims. For the time being, we therefore recommend to stay put and regularly visit the above mentioned website. As soon as there are any new developments, we will update this article accordingly. Furthermore, there is a hotline: 015635205. However, as there will be a high volume of calls to this and considering the high costs of calls to Ireland, we don't recommend to use this hotline. Unfortunately, it has to be expected that it will take a long time until you get a response to individual requests.
{ "redpajama_set_name": "RedPajamaC4" }
Greatest Gigs Part 4: The best shows ever, according to the music industry August 5th 2020 at 7:06AM The coronavirus pandemic may still be shutting down the live business, but at least the gigs of yesteryear live on (and on and on) in our memory. Music Week recently asked a host of top artist and executives to reflect on the greatest gigs they ever saw (check out Part 1, Part 2 and Part 3 if you haven't already), and we were inundated with responses. Here, Merck Mercuriadis, Emma Banks, Matthew Healy, Jonathan Dickins, Louis Bloom, Ed Howard, Phil Christie, Andrea C Martin and many more recall some of their most treasured live experiences... "The atmosphere at Shepherd's Bush Empire [in 2019] was incredible, as everyone in the house knew they were seeing a now massive artist playing an intimate show in an iconic venue. Sometimes it is not the over-elaborate, big production shows that are the most memorable but, instead, this one was unforgettable as the energy in the room was electric, the screams deafening, the guest list impressive and an incredible artist had the audience in the palm of her hand the whole night. It was also special as everyone in the house knew what a turning point moment it would turn out to be in her career." MIKE MALAK, AGENT, PARADIGM "In 2015, Prince came to Montreal and played in the equivalent of The O2, The Bell Centre, where they have the hockey and big acts like Madonna and the Rolling Stones. He played for almost three hours. It was so incredible." ANDREA C MARTIN, CEO, PRS FOR MUSIC "Prince at Wembley Arena on the Lovesexy Tour in 1988 just blew my mind. I'm a massive Prince fan. It was a brilliant production, played in the round. Those songs… He's a genius, isn't he? I don't even know if you can call Prince generational, people like him come along two or three times in a hundred years, you know?" JONATHAN DICKINS, FOUNDER, SEPTEMBER MANAGEMENT "Prince at the Roundhouse, when he did all the surprise shows [in 2014]. It was announced that morning and, as soon as it was announced, I got the tickets, turned up, no photos – but I do have one slightly blurry one! It was absolutely incredible. It was so sad he passed away soon after that. I'd seen him before at The O2 and it was great but suddenly it was like, 'My hero is here and he's playing the hits'. It was incredible." TED MAY, DIRECTOR, UK MUSIC, ENTERTAINMENT ONE "My favourite gig remains one of my first, Kiss at the Halifax Forum in 1976 with Cheap Trick in support. I was 12 and by myself, which made it easy to make my way to the front. Both bands were stunning and in the interval I befriended a few people that were double my age. We talked about Jeff Beck, Zeppelin, The Stooges, Ramones and many others. They then tried to trip me up by asking what I thought of the third New York Dolls album. My reply of, 'There isn't one, there's just New York Dolls and Too Much Too Soon' elicited high fives and pats on the back. I felt 10 feet tall! And to make the evening perfect, I caught one of Rick Nielsen's custom guitar picks!" MERCK MERCURIADIS, CEO, HIPGNOSIS SONGS "I was in my first year at university when I saw Radiohead at Manchester Academy in 1995. It was The Bends tour so it was hundreds of people in the room, not thousands. I just remember thinking how amazing they were. They were just a small band then but it sticks in my mind." BEN MAWSON, CO-FOUNDER, TAP MUSIC D'ANGELO "D'Angelo at Hammersmith Apollo in 2018 was just ridiculous. My friend managed to get us tickets two rows from the front and he came down into the audience. I have a photo that I post every year to remind everyone it was the best gig ever! It looked like D'Angelo was serenading me for about a second, there's the look of love from me and him, I believe." TUBELORD/BLAKFISH/ DRIVE LIKE I DO "This was both a gig that I've seen and was involved in. We played at Café Saki in Manchester in August 2008. Tubelord were really great, a cool, math rock band. Blakfish were a Birmingham punk band, the best live band I've ever seen. It was already mental for us because [guitarist] Adam Hann's amp set on fire and I was doing a lot of drugs at the time so it got very hedonistic very quickly. Blakfish came on and were throwing kids into the drums from the crowd, putting their guitars on them and doing solos lying on top of them. It was absolute chaos, the best show I've ever seen." MATTHEW HEALY, THE 1975 "It was in the Olympic Stadium in Sweden in 1993. Island Records took the entire company to see that show, because we had all three acts: U2, Stereo MC's and PJ Harvey. It was the heady days when the whole company plus partners, believe it or not, were flown to Stockholm to see that show. There were two reasons for that – one, it was such a celebration of the label having three acts that were very different but all on the same bill, and second it was the Zoo TV set, which was a groundbreaking live production. It took live production to a different level. The power of seeing it in that setting, a band at the very peak of their career and also the two support acts being acts that the label was having a great degree of success with... It encapsulated a period and once again demonstrated the importance of labels and the live sector coming together." ALISTAIR NORBURY, PRESIDENT, REPERTOIRE & MARKETING, BMG UK "The first show I saw of Charli's, at the Horse & Groom in 2009, sticks in my mind as a bonkers experience you couldn't get right now. Charli was supposed to go on at midnight and I think she went on about 2.30am. It was a room full of 200 drunk East London kids on a Saturday night, suddenly this 15-year-old in a massive blue wig jumps on a chair in the middle of the room with no introduction at all apart from the music stopping, plugs an iPod in and starts going completely mental, jumping in people's faces and rolling around on the floor. For anyone who saw Charli at that time, there was something incredibly special about her." ED HOWARD, CO-PRESIDENT, ATLANTIC "I've been a lifelong Jay-Z fan and a very early Kanye fan. I'd seen Kanye, but I'd never seen Jay-Z outside of a festival, so to see both on the Watch The Throne tour at The O2 in 2012 was like, 'I've ticked that box, I don't need to go to any more shows!' At the time, the Ni**as In Paris reruns were happening, so it was like, 'I don't know if I'm going to get out of here at 11 or 12 o'clock' because they were pulling it up seven, eight, 12 times, trying to beat each other's record!" NEGLA ABDELA, HEAD OF DIGITAL MARKETING, MINISTRY OF SOUND "It was 1993 at the Ritz in Manchester. I remember using my fake ID to get in and then having my mind completely blown! It stands as the most intense and life-changing show I have ever been to." LOUIS BLOOM, PRESIDENT, ISLAND RECORDS "One of my formative gigs would have been Rage Against The Machine at Brixton Academy in 1996. To a 15-year-old, it was just life giving." PHIL CHRISTIE, PRESIDENT, WARNER RECORDS "There are just so many incredible moments that I have been lucky to be part of. From a marker in the sand point of view of an experience and highlight within my life, when the Chili Peppers sold out three nights in Hyde Park [in 2004] at 85,000-capacity, that was very, very special. The gigs were great but it was more what the whole thing meant and the achievement, it's something I'm never going to forget." EMMA BANKS, AGENT, CAA "I saw him play [Essential Festival] in Brighton in 2000. I wasn't sure it was going to be any good and I think it was raining. But I thought I might as well go, I just didn't want to see James Brown and for it not be great, because I love his music so much. And he was dynamite, absolutely unbelievable – he did the dancing and the thing where they carry him off the stage. I'm so grateful I took the chance to go and see him." JOE KENTISH, HEAD OF A&R, WARNER RECORDS "It was at Toynbee Hall in East London in 2010 when he was debuting Shark Ridden Waters. It's such a small venue and it felt really like an intimate, communal experience with the band and audience engaging with the performance and singing along. I've seen Gruff play many times in many different venues, but this one stood out." ANNABELLA COLDRICK, CEO, MMF "He just thought completely outside the box for the Alexandra Palace show in 2019. It was a completely unique experience, I've never been to anything like it and it completely took you away from everything else, pure escapism. He took you on a real journey, I wasn't expecting it to sound and feel as big as it did." AMY WHEATLEY, GM, MINISTRY OF SOUND "Just because it opened my eyes. I come from a small town and it was my first experience of getting on a train to London and going to my first ever gig at Brixton Academy in 1993. I was 14 and it was like, 'This is exciting!' I was in the moshpit, on the barrier and that was the thing that set me on a path and opened my eyes to something." ED MILLETT, CO-FOUNDER, TAP MUSIC "The gig that stayed with me forever was Talk Talk in 1986 at Duxford Aerodrome. I don't know what they were doing there! It was around The Colour Of Spring album and I only knew them for synth pop, but it blew me away. The musicianship, the quality of the songwriting, Mark Hollis' voice… I instantly became an enormous fan and it's stayed with me for the rest of my life." GEOFF TAYLOR, CEO, BPI "Some time around spring 1972, I saw the Grateful Dead play four times in the space of 10 days – twice at the Empire Pool [now SSE Arena, Wembley], and twice at the Lyceum. Each night they played for around four or five hours, a thought that pains me now! But as far as I was concerned back then, they could have played for four or five days straight and I would still have wanted more. Every night was a different set, and a different experience. No other band takes their audience on such an exploratory and unexpected journey night after night, often - but not always - reaching unimagined musical highs. And it's all there (or some of it) on Europe '72, one of the great live albums. Amazing times." JEREMY LASCELLES, CO-FOUNDER, BLUE RAINCOAT MUSIC "Coachella in 2017 was insane. It was during the time when Denzel's Ultimate single was booming, it was one of his big songs. Before this, I wasn't too sure about Denzel, I wasn't really a fan of his music, I knew Ultimate but not really much else. I remember this show was nuts, I was in the mosh pit, I was having a sick time, it was a sick show." "I probably had the worst seat in the house. I can't remember which arena it was, but it was in the '80s when Wild Things Run Fast was out. I was obsessed with her. I still am. One of the finest moments of my life. It was filmed for the Old Grey Whistle Test and it was quite a jazzy set, but she started God Must Be A Boogie Man and I screamed at the top of my voice, 'Joni Mitchell, I bloody love you!' and you could hear me on the Old Grey Whistle Test. I don't think I've told anyone that before!" "There have been some particularly good warehouse parties in downtown LA over the past year. One of my favourite people to see DJ or perform live is Sophie, who was performing at this party at Heav3n last year and it just blew my mind. There were fucking lasers, sweat and people… Everything was so loud, I miss that." "If I set those aside all the Stevie Wonder gigs I've seen then, from a production point of view, and my awe and wonder at the scale of what was being done, my favourite gig would be Pink Floyd at the Westfalenhalle in Dortmund, when they were doing their The Wall show in 1981. That was when they built the wall across the front of the stage, it was amazing and it fitted so well with the concept of the album, it was excellent." KEITH HARRIS, MD, KEITH HARRIS MUSIC "I went to Dingwalls about 18 months ago on the spur of the moment and saw this absolutely brilliant rootsy R&B act called Fantastic Negrito. It was one of the best live gigs I've ever been to – and about six months later he went and won a Grammy. This is a guy in his 50s, but he looks like he's in his 30s. It was just one of those nights where the roof went off. I literally just thought, 'I want to go and see some live music, what's on at Dingwalls?' And it was brilliant!" TOM WATSON, CHAIRMAN, UK MUSIC "The Siamese Dream show at The Astoria in February 1994 was the greatest thing I've ever seen. Billy Corgan played guitar like I've never seen in my life. The guitarist, James Iha, looked like the coolest motherfucker I'd ever seen, D'arcy Wretzky was an absolute legendary bass player and Jimmy Chamberlin on drums was one of the greatest of that era. That night they were the best band in the world by fucking miles." JAMIE OBORNE, FOUNDER, DIRTY HIT/ALL ON RED MANAGEMENT "It was at Milton Keynes Bowl in 2010. We were supporting them in Europe and it was everything you'd want from a show as ridiculously big as the Milton Keynes Bowl. They've been such a big part of my band, they were real heroes in terms of being an influence on us. So being able to play with them was just amazing for starters. I can remember putting our stuff on stage to soundcheck and seeing these ambulances hanging from the rafters! I was like, 'What the fuck!? Wow, what are we doing here, supporting a band like this!?' It's so unbelievably sad Keith Flint is gone, I'm so glad I have these memories. They were brilliant times for us. The shows were just incredible. Even though they ran like clockwork, because they have to when you're an outfit that relies so heavily on production, it never got boring. You just could not get bored of it." ROU REYNOLDS, ENTER SHIKARI "Lollapalooza festival in 1997, in Kansas City, still sticks out my mind as being the most amazing live experience. The Prodigy headlined it, and the Americans didn't really know who The Prodigy were at the time. I remember Tool, who were an incredibly big rock band in the States at the time, finished their set and the Americans all turned around to start leaving to go home. Then Keith Flint came on, it was amazing watching all these Americans suddenly turn around and come back and stick it out for this English band that they'd never heard of before." DREW HILL, MD, PROPER MUSIC "She headlined We Love Space at the club Space in Ibiza in August 2009. There was something truly magical about seeing this iconic artist perform in Ibiza, at one of the best clubs in the world. Grace was incredible, as always, and for the duration of her set, myself and the rest of the audience were transported away to another time and place that felt like a Balearic version of the Studio 54 era. A spectacular and unforgettable moment from an artist who remains at the top of her game and quite literally is unlike any other. Legend." STEVE PITRON, SVP, ISLAND RECORDS & PROMOTIONS, ISLAND RECORDS Jessie Ware, Jonathan Dickins, Jeremy Lascelles, Prince, Phil Christie, Emma Banks, Alistair Norbury, Annabella Coldrick, Louis Bloom, Ed Howard, Matthew Healy, Mike Malak, billie eilish, Merck Mercuriadis, Greatest Gigs Hipgnosis inks deal for Shakira's song catalogue Hipgnosis boss Merck Mercuriadis on building a £3 billion company 'Utter insanity': Furious reaction to claims that government rejected EU offer of visa-free touring Hipgnosis acquires share in Neil Young and Lindsey Buckingham catalogues
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Disgraced Lobbyist Jack Abramoff Headed Back to Jail June 26, 2020 June 26, 2020 0 Comments Technology Jack Abramoff, the disgraced lobbyist whose corruption turned a logo of the excesses of Washington affect peddling, is ready to return to jail for violating the regulation that was amended in response to his earlier crimes, regulation enforcement officers mentioned on Thursday. Prosecutors mentioned Mr. Abramoff, 62, is the primary individual charged with flouting the Lobbying Disclosure Act, which was amended in 2007 after particulars of his earlier scheme, one of many greatest corruption scandals in fashionable instances, emerged. He pleaded responsible to the lobbying violations and to legal conspiracy for secretive and deceptive work he did on behalf of cryptocurrency and marijuana tasks, in accordance to court docket paperwork. Prosecutors in San Francisco mentioned that in 2017, Mr. Abramoff secretly agreed to search modifications in federal regulation — and met with members of Congress — on behalf of the marijuana trade with out registering as a lobbyist. "Abramoff was aware of the obligations to register as a lobbyist in part because Congress amended provisions of the Lobbying Disclosure Act in 2007 in part as a reaction to Abramoff's past conduct as a lobbyist," court docket paperwork mentioned. The costs towards Mr. Abramoff carry a most sentence of 5 years. Mr. Abramoff was additionally charged over his involvement with AML BitCoin, a digital token that claimed to resolve the issues with anonymity and cash laundering which have plagued Bitcoin. The mission was publicly led by a Texas man, Marcus Andrade, who set out to increase $100 million for the mission from unusual traders in 2017 when hundreds of comparable digital tokens promoted so-called preliminary coin choices. Prosecutors additionally unsealed federal costs towards Mr. Andrade on Thursday; he has pleaded not responsible. The authorized filings indicated that Mr. Abramoff labored behind the scenes with Mr. Andrade to market AML BitCoin to potential traders with a collection of false claims. At one level, they mentioned the N.F.L. had rejected a Super Bowl advert for the mission, a declare the N.F.L. rebutted. Prosecutors said that Mr. Abramoff promoted these claims, which he knew were false, in meetings with investors and in articles that he wrote and arranged to have published. The project eventually raised $5.6 million from investors, some of which was redirected for personal use, officials said. Investors received tokens, but they had "no practical use," according to the legal filings. The criminal charges announced by federal prosecutors in San Francisco mark an unhappy U-turn for Mr. Abramoff. Mr. Abramoff made a public show of having rehabilitated himself when he was released from prison in 2010 after serving nearly four years for a variety of charges related to corrupt lobbying as part of a conglomerate that defrauded Indian tribes of millions of dollars and used much of that money to try to win favor with lawmakers. But in 2017 he attracted attention when he announced that he would be in a television show, "Capital Makeover: Bitcoin Brigade," in which he would serve as a tutor and guide to the AML BitCoin project. "When Marcus approached me, I didn't know a bitcoin from a sirloin," he said at the time. "I pledged to do whatever I could to help — short of lobbying Congress myself." Source link Nytimes.com ← N.F.L. Trims Early Preseason Game and Prepares for Training Camps Kamala Harris, Elizabeth Warren and More: Who's in the Running to be Biden's V.P.? → Jailed Huawei Workers Raised a Forbidden Subject: Iran Facebook Amps Up Its Crackdown on QAnon He Helped People Cheat at Grand Theft Auto. Then His Home Was Raided. November 8, 2018 November 8, 2018 smartblogs 0
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Google has added a new attribute option to the Google My Business profiles for businesses that are owned and operated by families. The new attribute is named "family-led" and is available to be selected when you edit your business information in the Google My Business center. This is an offshoot of the women-led attribute and the veteran-led attribute that both launched earlier. Businesses that add this attribute to their Google local listings will see a special family-led icon in their business listings in Google Search and Google Maps. Why should you care? If you have any of these characteristics for your business, adding one of the three attributes can help your business stand out a bit more in the Google results. You will get a shiny new icon that showcases that you are a family- or women- or veteran-led business, and that might result in more business for you. How do I add this to my profile? To add this icon to your business listing, go to Google My Business and select your business. Then click on the "info" tab on the left-hand side, scroll down to the "Add Attributes" section and click on the pencil icon. A new window will pop up letting you click on the "+ Women-led" button to apply it to your business listing.
{ "redpajama_set_name": "RedPajamaC4" }
Arrowsmith Shoes is committed to providing high-quality, stylish footwear for the man who strives to look his best. In line with this mission, our men's luxury casual shoes are curated from the best designers in the world, with an emphasis on craftsmanship and comfort. At Arrowsmith Shoes, our ever-expanding collection of casual men's footwear is the perfect place to find sophisticated shoes that are still suitable for everyday wear. Since 1974, we have been sourcing the best men's luxury casual shoes from the finest brands around the world, including Hush Puppies, Sebago, Belvedere, and Florsheim. Available in a variety of colors, sizes, and styles, we offer quality, casual footwear made with innovative techniques that will set you apart from the crowd. From leather wingtip oxfords to crocodile sneakers, our casual men's footwear are sure to elevate your everyday fashion. Our collection of men's luxury casual shoes are perfect for the discerning man who demands comfort without sacrificing style, whether you prefer a pair of boat shoes to wear on the dock or you're in need of a fresh pair of sneakers to wear on the weekends. If you have any questions about any of the shoes or brands in our collection of casual men's footwear, please reach out to our customer service team. Shop now to find your perfect pair at Arrowsmith Shoes!
{ "redpajama_set_name": "RedPajamaC4" }
Q: How to produce image "magnification" effect on iOS? Is swapping 2 images a standard solution? Is there a better way? Specifically imagine an image on screen, which (upon tap) should increases in size 30%. Please provide an example. A: apply a basic view animation to your imageview. [UIView animateWithDuration:0.3 animations:^{ yourImageView.transform = CGAffineTransformMakeScale(1.3, 1.3); } ];
{ "redpajama_set_name": "RedPajamaStackExchange" }
Any golf club affiliated to England Golf which has less than 300 members or brings in revenue below £250,000 per year or employs less than three full-time paid staff can apply for a touch screen unit that allows golfers to input their own scores themselves. Clubs that qualify will receive either 25 per cent, 50 per cent or 75 per cent off the cost price of a PSiTouch screen, which normally costs £695 plus VAT. The screen enables players to input their own scores, which is a significant part of the new WHS, which comes into effect in 2020. This major announcement has come about because Club Systems International, which is the owner of HowDidiDo – which holds the handicapping data of more than 1.2 million UK club golfers, has become a 'Preferred Partner' of England Golf. Club Systems is actively helping clubs prepare for the introduction of the WHS and recently attended each of the 40-plus workshops run by England Golf for club administrators and committee members. Gemma Hunter, England Golf handicap and course rating manager, commented: "This partnership brings us the opportunity to give back to clubs and make a positive contribution to the costs of introducing the WHS. "A major part of the WHS will involve players inputting their own scores and these grants will be of great benefit to clubs which are struggling to afford a touch screen. Richard Peabody, Club Systems' managing director, added: "We are delighted to be working so closely with England Golf on this initiative. Giving something back and helping to grow and progress the game, is very much at the heart of Club Systems' philosophy. "Our financial support of WHS in England will help smaller clubs introduce this cutting-edge technology, in line with their larger counterparts. To apply for a grant email [email protected] to request an application form.
{ "redpajama_set_name": "RedPajamaC4" }
Hand-thrown porcelain bowl with decorative seashell rim feature, in a multi-toned blue/lavendar glaze. Fireside Pottery stamp on bottom. Choose small (3" high, 4.5" diameter); medium (4.5" high, 6" diameter) (add $12); large (5" high, 8" diameter) (add $17); or buy all three for a nesting set ($89 total).
{ "redpajama_set_name": "RedPajamaC4" }
Non abbiamo fatto in tempo a pubblicare il nostro Hands-On giocato sul Prototipo rilasciato da Lab Zero games su Steam e PSN, che ecco arrivare la notizia del raggiungimento dell'obiettivo per il finanziamento di Indivisible. E' innegabile che la mossa di "far provare" il gioco al pubblico possa aver convinto più di un utente della qualità del prodotto. Il Platform/JRPG ha raggiunto quest'oggi gli 1.5 Milioni di $ previsti, giusto in tempo (tre giorni prima) della scadenza dei termini su Indiegogo. Ora il team pensa di riempire questi ultimi giorni con gli Stretch Goals, anceh grazie all'aiuto di 505 Games che supporta il progetto. Thanks to the immense support of more than 25,000 fans, with three days left in its crowdfunding campaign Lab Zero Games has successfully raised $1,500,000 and funded its beautiful 2D action/RPG, Indivisible. With the core game funded, the crowdfunding campaign moves into the stretch goal phase. The first stretch goal is an expanded soundtrack with twice as much music from legendary game music composer Hiroki Kikuta at $1,650,000, and the second is an animated introduction storyboarded by Los Angeles-based Titmouse, Inc. and animated by an as-yet-unannounced Japanese anime studio. While the Indivisible campaign proper has three days left, Indiegogo's "InDemand" feature allows crowdfunders to keep their campaign open as long as they'd like. This allows campaigners to attract funding from "slacker backers," as they're known in crowdfunding parlance, without needing to build their own contribution site. With the aim of reaching some of their stretch goals, Lab Zero will offer a subset of the existing contribution perks through InDemand for some period of time. Described by press as "beautiful," "a gorgeous hand-drawn role-playing game" and an "amazing action RPG," Indivisible takes a fresh spin on action/RPG gameplay, featuring a deep storyline inspired by Southeast Asian and other world mythologies, and what may be the most diverse cast ever seen in a video game. In addition to the large and diverse cast of core characters, Indivisible will also feature nine playable characters taken from other popular indie games, including Annie from Skullgirls, Calibretto from Battle Chasers, The Drifter from Hyper Light Drifter, Juan from Guacamelee!, Lea from Curses N' Chaos, Red from Transistor, Shantae from Shantae, Shovel Knight from Shovel Knight, and Zackasaurus from Super Time Force. Indivisible is a new RPG IP, starring Ajna (AHZH-na), a girl who sets out on a globe-spanning journey to discover the truth behind her mysterious powers. On her quest, she is joined by a variety of unique heroes and gains new abilities to traverse the environments and defeat the enemies they encounter along the way. Built with the unique characters and gameplay depth Lab Zero is known for, their trademark feature-quality 2D hand-drawn animation and a lush soundtrack from legendary Secret of Mana composer Hiroki Kikuta further enrich and enhance the game. The Indivisible playable prototype is FREE and is available for download via PlayStation Network, Steam, and for direct download on Windows / Mac / Linux PCs at www.indivisiblegame.com.
{ "redpajama_set_name": "RedPajamaC4" }
Preheat an oven proof pan over medium heat with butter or oil and garlic. Snap woody ends off asparagus and discard. Snap asparagus into 2 inch pieces into pan and heat through until tender. Mix eggs, water, salt, pepper, minced onion and parsley in a bowl then pour over asparagus in the pan. Cook in oven 10-15 minutes until done. Top with Tabasco and serve immediately.
{ "redpajama_set_name": "RedPajamaC4" }
LOVELAND, OH, September 6, 2013, Deirdre J. Dyson, Professional Artist and Owner of Art House II, has been recognized by Elite American Artists for dedication, achievements, and leadership in the fine arts. At the helm of her art gallery and studio based in Loveland, Ohio, Ms. Dyson demonstrates her lifelong love of the arts with work that is based on nature, landscapes and cityscapes. She creates beautiful pieces and reveling in the splendor and magnificence of the world around her from a small cluster of blossoms or leaves to wide vistas of mountains, meadows and oceans. Her oil paintings demonstrate the passion that she has always maintained for conveying her view of the world in which she lives, through vivid and vivacious color, rich abounding texture, and the experienced eye for composition that can make even a mundane scene into a masterful painting. Ms. Dyson has work on display in her own gallery at her studio, and she also shows her work elsewhere. She predominantly paints in oils. Her other love is working in the performing arts as designer and director. She has garnered a reputation of distinction and prominence for her innovative, colorful and creative work. Ms. Dyson has received a number of Community Theater Awards, and she is also a recipient of the prestigious Mario Pipotto Award. She was recently named a VIP of the Year in the Fine Arts by Worldwide Who's Who. With a wealth of knowledge and experience in the fine arts, and a highly respected name in her field, Ms. Dyson continuously strives for excellence in her every endeavor.
{ "redpajama_set_name": "RedPajamaC4" }
Q: Immutable StencilJS Props re-render when changed I have the following StencilJS component with three properties. import { Component, h, Prop } from "@stencil/core"; @Component({ tag: 'twl-button', styleUrls: ['../style-tw.dist.css', './twl-button.scss'], scoped: true }) export class ButtonComponent { @Prop() isBoolean: boolean = false; @Prop() aNumber: number = -1; @Prop() aString: string = "a" componentWillLoad() { alert(`componentWillLoad: ${this.isBoolean} | ${this.aNumber} | ${this.aString}`) } render() { alert(`rendering: ${this.isBoolean} | ${this.aNumber} | ${this.aString}`) return ( <button onClick={() => this.didClick()}class={'w-1/3 self-center flex justify-center mt-1/12 py-2 px-2 border border-transparent font-normal text-lg rounded-md text-white bg-nord9 hover:bg-nord14 focus:outline-none focus:border-nord9 focus:shadow-outline-gray active:bg-nord10 transition duration-150 ease-in-out'}> Click to Change </button> ); } didClick(): void { this.isBoolean = !this.isBoolean; this.aNumber = this.aNumber+1; this.aString = this.aString+"b"; } } It's used in JSX as: <twl-button isBoolean={true} aNumber={0} aString={"init-string"}></twl-button> My understanding reading the StencilJS documentation is that these properties are implicitly immutable. I would think that an immutable property would also imply no-rendering, since nothing changes. However, when I click the button, the values change and render is called. Where is my misunderstanding? pacakge.json: ... "@stencil/core": "^1.17.3", "@stencil/router": "^1.0.1", "@stencil/sass": "^1.3.2", ... A: You can think of the @Prop() decorator itself as creating a watch on the property (isBoolean, aNumber, aString in your case), and every time a value is assigned to it, the watch performs an equality check (===) on the old value and new value to determine if the value has changed (and therefore, whether a re-render is needed). You would not see the same behavior if your prop was an object and you set a value on the object @Prop() because even though one of the values has changed, the === reference returns true since the object reference remains the same @Prop() user: IUser = { firstName: 'user', lastName: 'name' }; ... ... // does not trigger a re-render (since object reference remains unchanged) user.firstName = 'new user'; // triggers a re-render (because you are essentially creating a new object and assigning it to the user property) user = { ...user, firstName = 'new user' };
{ "redpajama_set_name": "RedPajamaStackExchange" }
Britt Paulk - OPUS: Online Policy Underwriting System. We created this self running presentation to explain the Online Software System that is revolutionary in the Insurance Industry. We tried to focus on the material using simple graphics and voiceovers instead of in your face tactics to overwhelm the audience. We used a classical music score in the background to build to the final message.
{ "redpajama_set_name": "RedPajamaC4" }
Roads of all kinds from highways to gravel single lane routes provide valuable access to the landscape of Cascadia. Access is needed for land and species management, recreation, and enjoyment. Roads also can pose natural resource risks to the landscape as well from reducing watershed health and security habitats for wildlife to providing vectors that facilitate the spread of invasive plants. Identifying a balanced sustainable road system that provides needed access to our landscape while ensuring healthy watersheds and habitats is a priority that our Partner Forum has identified. In identifying a system is sustainable over time, climate change must be considered. Do you already see impacts to your road system now from climate changes (i.e. rain on snow events in recurring locations causing flood damage)? How do projections for impacts to hydrology from a changing climate interact with the existing road system? Where are there existing vulnerabilities to the road system from hydrologic events or interactions, and where are these anticipated to be exacerbated with climate change? What recommended action can help mitigate the risk from upgraded culverts and bridges to re-location to decommissioning? How does the existing road system interact with adaptation needs of aquatic and terrestrial species on the landscape including the current health of their habitat contributing to resilient populations (i.e. contribution of sediment to spawning rivers, reduction of security habitat for elk, fragmentation of habitats)? What actions can reduce the impact from a wildlife overpass on an interstate to relocation out of a high priority riparian area to restoration? Are there anticipated future needs for access for land and resource management emphasized with climate change projects for your landscape (i.e. anticipated long-term fuels reduction and maintenance)? Workshop "Climate Change, Hydrology, and Access in the North Cascadia Ecosystem". North Cascadia Adaptation Partnership, 2011. Link includes agenda and presentations. Adapting transportation to climate change on federal lands in Washington State, USA. Strauch, R.L. et al. 2014. Okanogan-Wenatchee National Forest Travel Management Plan webpage – current analysis and public process underway to develop a motor vehicle use map. Washington Department of Transportation – Adapting to Change webpage including climate vulnerability reports. British Columbia Natural Resource Road Act Project webpage. A Summary of the environmental impacts of roads, management responses, and research gaps: A literature review. Patrick Daigle, 2010. Discussion Paper: BC Journal of Ecosystems and Management. Cascadia Case Study: Mount Baker National Forest Sustainable Roads Process (complementary climate information) – The Cascadia Partner Forum is working with scientists in our network to bring relevant climate science to complement this national forest's road analysis and inform future implementation. In 2014 with support from The Brainerd Foundation, we funded a report by Ronda Strauch of the University of Washington applying climate data to identify priority watersheds to address changes to the road system to facilitate adaptation – click here to read this report. With additional support from Sustainable Path Foundation through Conservation Northwest, we built upon this report by down scaling our methodology to identify risk from anticipated climate change impacts to individual road segments within the watersheds on the Mount Baker Snoqualmie National Forest – view this report here.
{ "redpajama_set_name": "RedPajamaC4" }
We have put together the world' s largest free permit practice test questions database. To obtain your Kentucky learner' s permit, you will need to pass a written exam. Taking the Written Permit Test. Official FL DMV Handbooks tricks, tips more. The Study Guide simplifies complicated sections of the Rhode Island Driver' s Handbook, while the Practice Test gives you plenty of. Preparing for your permit test? You don' t need to pay to practice for your learner' s permit test online. Florida learners permit test book. 1 study resources for beginner drivers. Premium Study Tools. It' s like having the answers before you take the test. The Florida Basic Abilities Test ( FBAT) is used by the Florida Department of Law Enforcement to test candidates who wish to enter a basic recruit training program for law enforcement or corrections. Get instant access to free Florida DMV practice tests and requirements. You will be tested on your knowledge about traffic laws road signs safe driving techniques. How to Get a Motorcycle License. The South Florida State College ( SFSC) Testing the Convention on road traffic, ratified in 1977, faculty, Assessment Center provides testing services for SFSC students , as well as other educational institutions , community 1968 further updated these agreements. Learn how to drive and get your permit all in one package at All Florida Safety Institute. Other countries in Europe also introduced driving tests during the twentieth century the last of them being Belgium where, it was possible to purchase , until 1977 hold a license without having to undergo a driving test. DMV Cheat Sheet - Time Saver Passing the written exam has never been easier. Click here to start now! To get a motorcycle license motorcycle endorsement you' ll normally need. Computer tablet iPhone. Learner' s permit testing. Getting your Florida drivers license is easier than ever with this step- by- step drivers license guide. The Rhode Island Study Guide and Practice Test are the No. Florida learners permit test book. We offer all of the Florida state approved courses and tests to get your learners permit! This computer- based exam contains 104 questions and takes approximately two hours to complete. The Florida Department of Highway Safety Motor Vehicles, is responsible for enforcing driver' s license rules , simply referred to as the Florida DMV regulations. To schedule an appointment, click on the " Schedule Your Test" button located above. If you' ve never had a motorcycle license, it' s not too hard to get one.
{ "redpajama_set_name": "RedPajamaC4" }
DIRECTIVE A-42 Canon Hub » Ad Astra Per Aspera Hub » DIRECTIVE A-42 rating: +59+–x DIRECTIVE SUMMARY Per executive order of the O5 COUNCIL, the following operatives are instructed to vacate SITE-42 and relocate to LUNAR AREA-32 by the specified launch date: OPTIONAL: The above listed personnel are each eligible to select FIVE (5) additional personnel of clearance LEVEL 2 or higher from SITE-42 to accompany them if desired. DIRECTIVE LAUNCH DATE 09:00 July 4, 2041 OPERATIONS REQUIREMENTS Per DIRECTIVE O5-230, all personnel permanently transferring off-planet4 following the events of ED-K LETHE SCENARIO II are required to undergo installation of a MK. III PII/N3.5 Provided he passes post-installation loyalty testing, C-51174 is to be promoted from LEVEL 4 to LEVEL 5 clearance. ▼ PROOF OF REGIONAL DIRECTOR APPROVAL FOR DIRECTIVE ▲ PROOF OF REGIONAL DIRECTOR APPROVAL FOR DIRECTIVE EYES ONLY Exception Code A-42 is applied to this document. ▼ PROOF OF ETHICS COMMITTEE APPROVAL FOR IMPLEMENTATION OF MK. III PII/N3 ▲ PROOF OF ETHICS COMMITTEE APPROVAL FOR IMPLEMENTATION OF MK. III PII/N3 ▼ MK. III PII/N3 ▲ MK. III PII/N3 C-51174, A-1801, and B-8092, as well as up to FIFTEEN (15) additional personnel of their choice, must proceed to ROOM 120B of SITE-42's medical wing at 0900 HOURS on JULY 4 2041. All personnel must undergo installation of MK. III PII/N3s. All personnel must pass post-installation inspection by medical personnel and be deemed fit for short-term space travel. When all personnel are cleared for safe travel, the personnel will board The Loose Neutron, SITE-42's main and largest offshore response vessel, and dock with SITE-3069 in the Atlantic Ocean. Following the personnel's arrival, they will disembark from SITE-3069 in a Tsade-10H Transport Vessel and relocate to LUNAR AREA-32. From LUNAR AREA-32, each individual and their selected group of accompanying personnel will be assigned and transferred to the following locations: C-51174 and associates: KUIPER BELT OUTPOST RED ZETA (Specialty Assignment) A-1801 and associates: ORBITAL AREA-11 (Extrasolar Activities Division Administration) B-8092 and associates: ORBITAL AREA-11 (Extrasolar Activities Division Research & Development) PERSONNEL ASSIGNMENTS C-51174: With the assistance of his selected field personnel from SITE-42, C-51174 will operate undercover to track and detain a Marshall, Carter and Dark sales team which is seeking to further the commerce of dangerous anomalous artifacts in the Kuiper Belt region, primarily through sales channels established inside ZETA-01. KUIPER BELT OUTPOST RED ZETA is located below the surface of a large ice asteroid, and is nearby to POINT OF INTEREST ZETA-01, a pocket dimension entrance which serves as an access point to ZETA-01, an unincorporated, ungoverned, extradimensional location with an established society and commercial structure. A-1801: Following briefing, A-1801 will be assigned the position of Operations Security Overseer, and will be expected to apply the knowledge gleaned from 20+ years as Director of SITE-42 in an effective manner. A-1801's selection of personnel from SITE-42 will be assigned to various positions in the same department. B-8092: B-8092 is tasked with leading her selected team of SITE-42 researchers — as well as some researchers stationed at ORBITAL AREA-11 — in the further development of PII/N3 technology. She will be expected to manage the research team, manage allocation of testing resources6, and additionally provide input on the development of Ortothan to English translation systems. Agent Trauss sets the printout of DIRECTIVE A-42 down on Site Director Radford's desk with a sigh. "Space?" "Space, kid. Don't act surprised. We've known the way things were looking down here for plenty of time." He puts his head in his hands. "Well, are you going to do it?" Radford leans back in his chair, the setting sun illuminating his gray irises. He looks uneasy. Trauss looks out the window at the dark treeline. "The way that thing's written, it sounds like I have to do it. Like we have to do it." "The Ethics Committee specified that if you don't want that implant, you don't have to have it." "Well, I need it if I'm going to proceed with this directive." "Yeah, but that's not your only option. You could stay here." "There's nothing left here, Eric. I just hate it because of how many people-" He cuts himself off. "I don't know. I don't know what I want to do. But I can always tell when you don't think a suggestion is actually a good idea, and I just did, so just be blunt with me." Radford nods in agreement and swivels to face the enormous flatscreen on his office wall. He picks up his remote and glares as he flips through the satellite records of each Foundation facility's surrounding area. SEABREEZE NORTH CAROLINA USA ORIGINAL POPULATION REMAINING: <3% "That's what I'm talking about." Trauss gestures to the video behind the text box, in which satellite imagery shows the sunny, warm streets of Carolina Beach and downtown Wilmington devoid of human life. "I mean, this is what I've been seeing since at least a few years ago. The people I meet have no idea who I am, with or without the Foundation employment part — even my neighbors. And hell, I haven't seen those neighbors in longer than I can remember, anyway." Radford looks back at the younger man. "Surely you aren't happy working in the containment wings." "I don't like being underground, but this isn't the era of first-choice job positions. And besides, I took a few shifts there once. I was used to it, at least enough to handle it." Radford doesn't say anything, instead pressing a button on the remote and flipping to the next satellite feed. LOS ANGELES CALIFORNIA USA Trauss catches a glimpse of a bird's eye view of the city, but it's mostly static, and fails to display entirely after several seconds. Radford flips to the next feed. [SENSITIVE INFORMATION RESTRICTED] ORIGINAL POPULATION REMAINING: 0% "I don't know what's going on in the other countries' branches, but it's not looking good for us." Radford gestures to the satellite image of Site-19's main gate, which appears to have been heavily damaged, its bright steel gleaming in the desert sun. BLOOMINGTON INDIANA USA A top-down view of the supermarket adjacent to Site-81's perimeter fence shows a group of people assembling a massive structure similar to a radio tower. "What are they doing, do you know?" Trauss mutters. "Report out of 81 indicated that most of the people in Indiana forgot about cell phone service, so now the town's engineers and STEM students are trying to make their own town communications system." "But don't the cell towers still work?" "Most of them. But they don't know that, and there's no way to teach them. You've been working with 3848's impact long enough to know how these things go." "It was rhetorical, I guess." Radford nods and turns off the monitor. "Look, Cyrus, we tried. We tried for ten years. You tried for ten years." "There are still humans here." "A higher percentage of the human population is now in space rather than on Earth." "Our job isn't to protect 51 percent or more of humanity, it's to protect all of humanity." "Which is impossible and illogical. Of course your job is to protect the majority of humanity. That's the only way our mission can be effective." "What if leaving Earth isn't the right thing to do? What about the skips?" He looks at the papers peeking out of a messy folder on Radford's desk. One of them is a glossy flyer with the post-Korea logo on the top, "Protect" standing out in bright red from the white and gray on the page. What had happened to the meaning behind that marketing in the last 10 years? "What about all those dozens and dozens of human anomalies who can't keep themselves alive without us and are going to keep becoming anomalous as 4427 starts targeting communities like those people building the radio tower because there are no busy city intersections anymore? What about-" "There are too many of them, Cyrus. While the Area-32 security directors are willing to take on some human anomalies — and yes, including 4427-B, because I know you're about to ask — we cannot keep using resources for a planet that the O5 Council has deemed unsalvageable. 4427 only targets Earth, after all." He shakes his head. "This just doesn't seem right. It just doesn't." "This isn't about subjective 'right' and 'wrong'. It's about the survival of our species. All of this is as perfectly in line with Foundation objectives as it could be." "There are anomalies on Earth that need us to stay alive and the best option is to leave? There are innocent people — the human civilians we supposedly care about so much — getting mind-wiped into oblivion by 3848 and you think the best option is to just leave?" "I told you that you can stay behind if you want!" Radford snaps. "If you want to waste your skills down here on a- on a fucking forgotten planet, bending over backwards to protect every single Wilmington resident that doesn't give a fuck who you are anymore and every single sorry fuck that can't help the fact that he shoots fire out of his eyeballs or whatever the fuck these 4427 fucks' problems are, you have that right." He takes a breath and glaces side-to-side. "Sorry. But for God's sake, think about what you're doing. Your opportunities are out there. My opportunities are out there. The Foundation's op-" "I'm not going to stay here." "Oh, thank God." "I know that it's not the logical option. And yes, I am absolutely miserable working in containment." Radford nods. "So you're coming, then?" "Against my better judgement, yes." "You mean in accordance with your better judgement." "I mean against my better judgement, and in accordance with the judgement Wickerford programmed into me ten years ago. I mean twelve. Thirteen." "Well, as long as you're self-aware about it." Trauss levels a stare at Radford, biting his tongue. "…Okay. Well, moving forward, then, do I really need to get brain surgery?" "It's not surgery, it's a one-hour process that isn't all that dissimilar from using a Schulman device." "And this… I'm not going to lie, Eric, the language used in this schematic is sending up a ton of red flags. They want remote override of pain and pleasure responses? Remind me what fucking year it is, again?" "It's 2041-" "Right, and see, I thought we wouldn't stoop this low until at least the 60s. How is this technology even stable yet?" "If I could answer that kind of question, I would be a researcher, not a site director. But I am certain that the anomalous technology present in the original Schulman device was the catalyst for these developments." Radford straightens the copies of DIRECTIVE A-42 and sets them in a corner of the desk. "Okay, that's a given. But mind control? Have we collectively lost our sanity, here, or just the Ethics Committee?" "The Ethics Committee is fine with this because we're only doing it to personnel that fully consent to it. And 'mind control', really? Pay attention to what parts of the brain the implant actually modifies. Your thinking is not impaired." "But my emotions are? What the fuck is that?" "What the schematic neglects to disclose is that the neural network may be constantly active, but it is not constantly affecting you. You will always be in direct communications with your handler, who will be the only one capable of altering anything, and will be a person you trust who respects your personal autonomy." "Right. Them, and the O5 Council." Radford scowls behind his glasses. "You think they of all personnel don't have anything better to do?" Trauss crosses his arms and sighs. "Okay, let me get the picture, here. You said our future lies in space, and now I'm reading that anyone who wants to be part of that future has to undergo this procedure. That's my only hold-up." "That is true, yes. Look, this is above me. You can infer that from the way this document talks about the both of us. I'm not your superior anymore, Cyrus. At least, I'm about to not be. This is up to you and you alone. If you're not going to proceed with any of this, I can't do anything other than try to talk you into it." Trauss stays silent, thinking. Radford leans forward. "But after knowing you for twenty years, I do have to wonder: What is it about the N3 that puts you off? Rather, what is it about the N3 that's somehow worse than the ED-K compliance scripts you yourself were programmed with and programmed other people with? This isn't that extreme, to me." "That was just an idea. It was putting an idea in someone's head. It added things, but took away nothing. Meaning it didn't change a person's identity, only threw in additional traits while leaving the originals intact. This is just… this is just letting the Foundation take hold of someone's agency." "I don't see how control over physical stimuli response meets those criteria. I'm not blind to the general creepiness of what's involved, but it's not making personality changes. Changing how someone responds to stimuli in-the-moment isn't brainwashing, it's minor altering." "Who's on the other end of this shit, though? Who's pressing the buttons? Who's going to be piloting my body when-" "No one, Christ. No one is going to be controlling anything unless there's an emergency. Weren't you listening to me a minute ago?" "You said my 'handler', but I don't know how I'm supposed to trust someone that I'm just going to meet out there on some rocket. I mean really, all this is crazy. And what kind of 'emergency' requires taking over my emotional reasoning?" "I have the perfect example for that. Do you know how it feels to die in space?" "I always heard your blood boils. I don't really know." "Nope. The first thing you should do is exhale, or the gases in your lungs will expand and rupture your lungs. You might live for two minutes, give or take. The whole time, you'll be suffocating while the radiation from the nearest star burns all of your exposed flesh." "Alright." "And the moisture on your tongue will boil, too." "Yes, I see now. Thanks." "My point is, imagine if your handler detected that happening to your body and was able to artificially counter that pain response. Would that not be preferable to a visceral and agonizing death?" Trauss shudders and takes off his vest as he stands, sweating. "I guess. I'm going to need to be briefed about most of this. Which I'm sure is going to happen." He nods for Radford to walk to the door with him. "Of course it is. And look, the most important thing to take away from this is that anyone 'remotely managing' — as the schematic put it — will be doing it as a last resort, and obviously you will be meeting your handler beforehand so that you do know who it is that can override your actions if necessary. There are threats you can't imagine out there in space, and I'd bet that once you're lightyears away from Wilmington and everyone you ever knew, you're going to feel a lot less scared and alone with the Foundation in your head." "This is insane." "Are you really surprised? And besides, don't bullshit me. Just look at your history. You would let the Foundation do whatever it wants with you and your body." "Fuck no. That's a dangerous blanket statement." "You're blushing, so you know it's true." "Fuck off, Eric." He smiles for the first time since Trauss walked in the door. "See you in Room 120B, then?" Trauss shakes his head and stands up to leave. "This is going to be one hell of a midlife crisis." "Welcome to the club, I guess." hub | continue ▶ 1. AGENT C TRAUSS 2. SITE DIRECTOR E RADFORD 3. RESEARCHER M WICKERFORD 4. Solar System Oversight Department and Extrasolar Activities Division 5. Mark III Personnel Identification Implant with Nanoscopic Neural Network 6. Including but not limited to D-class personnel, finite scientific resources and materials, and network availability for successful transmissions and grid operation. ‡ Licensing / Citation ‡ Hide Licensing / Citation Cite this page as: "DIRECTIVE A-42" by (user deleted), from the SCP Wiki. Source: http://scp-wiki.wikidot.com/directive-a-42. Licensed under CC-BY-SA. For more information, see Licensing Guide. Licensing Disclosures Filename: ethics_approval_scan.png Author: cyantreuse Source Link: The SCP Wiki Filename: pii1.png Author: Clker-Free-Vector-Images, cyantreuse Source Link: Pixabay.com Additional Notes: Image was heavily modified/edited by cyantreuse from the original release by Clker-Free-Vector-Images. Filename: reg_dir_approval.png For more information about on-wiki content, visit the Licensing Master List. 51174ad-astra_cc_licenseboxtale page revision: 25, last edited: 01 Jan 2021 20:01 Edit Rate (+59) Tags Discuss (12) History Files Print Site tools + Options Wagering Lives to the Blade Computer Games Programming CGP Students
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Powerful sharing, Richard. It brought tears to my eyes and I felt my heart nearly bursting, as I read it – not in despair, but in increased hunger for God and how He desires to work in and through each one of His children's lives as we make ourselves more available to Him. Such a timely message too, in that we had planned to move out onto acreage and farm (away from the craziness of the city and people), but God asked us to lay it down and return to the city. Your words are another confirmation to us that we chose the right path for this time. So much to learn still, but excited to take that first step toward Him (again). Thank you. We, too, shall light a candle with you. Blaine and I pray, "Thank you, Lord, for blessing us to be a blessing to others. Thank you for enabling us to be a light in our neighborhood and in this world." Blessings, dear friend.
{ "redpajama_set_name": "RedPajamaC4" }
As an IP Network Engineer (SNOC) you will be reporting to the Public Sector Manager, the highly skilled and innovative IP Network Engineer will play a key role in delivering cutting edge video technologies on a global basis as part of BCS's Virtual Presence managed services portfolio. Our client is looking for a team player with demonstrated success in creating and delivering real time IP based collaboration services. If you have a solid foundation in IP Network engineering and a track record of implementing and optimizing IP Networks for Real Time Network solutions then we want to speak with you. 5 Years UK residency is required to be considered for this position. The successful candidate will have proven experience supporting carrier grade, highly available IP Networks. The individual will bring expertise and best practice knowledge in application and theories of robust IP Network Design and Implementation. Develop and execute on strategic imperatives that deliver a best in class video experience to our customer base. Responsible for development and delivery of video Systems End-User and Technical Support training. Three to five (3-5) or more years' experience in carrier class IP Network Backbone Implementation, Management, Trouble Shooting and Evolution. Solid understanding of IP and ISDN networks. Depth in Security Best Practices - Firewalls, ACLs, and Other Network layer Security protocols.
{ "redpajama_set_name": "RedPajamaC4" }
Бериславський район — район Херсонської області в Україні, утворений 2020 року. Адміністративний центр — місто Берислав. Географія Бериславський район розташований у північно-центральній частині Херсонської області, в Причорноморській низовині, на правобережжі Дніпра і Каховського водосховища. Займає площу 4747 км² На півночі межує з Криворізьким районом Дніпропетровської області, на заході з Баштанським районом Миколаївської області, на південному заході з Херсонським районом, на сході з Каховським районом. Історія Район створено відповідно до постанови Верховної Ради України № 807-IX від 17 липня 2020 року. До його складу увійшли: Бериславська міська, Великоолександрівська, Калинівська, Високопільська, Нововоронцовська селищні, Милівська, Новорайська, Тягинська, Борозенська, Кочубеївська, Новоолександрівська сільські територіальні громади. Раніше територія району входила до складу Бериславського (1923—2020), Великоолександрівського, Високопільського, Нововоронцовського районів, ліквідованих тією ж постановою. Передісторія земель району У III–IV столітті на території району припускають існування столиці Остготського королівства Данпарштадту, або, за іншою версією, його попередника - роду Амалів - Данпарстадіру, наприкінці XIV століття — резиденція золотоординського хана Тохтамиша — Догангечіт. У 1484 році турки збудували тут фортецю Газі-Кермен (пізніше Кизикермен). У 1695 році фортецю здобули козацькі полки гетьмана Івана Мазепи. В 1784 році на руїнах Кизи-Кермена засновано місто Берислав. Пам'ятки Свято-Введенська дерев'яна церква у Бериславі часів козацтва XVIII століття Свято-Григор'ївський Бизюківський чоловічий монастир в селі Червоний Маяк Свято Архангело-Михайлівська церква в селі Зміївка Економіка В економічному відношенні район є аграрно-індустріальним із галузями, що спеціалізуються на сільськогосподарському виробництві та переробці продукції. Промисловий потенціал складають такі галузі, як: машинобудування, виробництво будівельних матеріалів та харчова. Промисловість ВАТ «Бериславський машинобудівний завод» випускає комплектуючі вироби та запчастини до тепловозних, суднових та автотракторних дизелів, які поставляє й до Російської Федерації, та товари народного споживання. У Бериславському районі працює 9 переробних підприємств. У їх числі відомі акціонерні товариства: «Князя Трубецького» (село Веселе) «Кам'янський» (село Одрадокам'янка) «Бериславський сирзавод» «Бериславський хлібозавод» Сільське господарство Серед 35 сільськогосподарських підприємств району визнаним лідером є агрофірма «Прогрес», основним видом діяльності якої є виробництво та переробка сільськогосподарської продукції (консерви м'ясні та плодово-овочеві, понад 20 найменувань ковбасних виробів, до 10 видів м'ясних виробів). Вона орендує близько 3 тисяч га земель. Всього ж сільськогосподарські підприємства різних форм власності обробляють 116,3 тис.га орної землі, в тому числі 226 фермерські господарства — 10,0 тис.га. Внаслідок реформування аграрного сектора більша частина маточного поголів'я худоби знаходиться у приватному секторі. Примітки Посилання Райони Херсонської області Держави і території, засновані 2020 засновані в Україні 2020
{ "redpajama_set_name": "RedPajamaWikipedia" }
/* Pseudocode: steps- Create a groceries array Create functions to add and remove grocery items Create grocery list array Create functions: add items to list remove items to list view list */ // Solution var list = [] addItems = function(item) { list.push(item) } removeItems = function(item) { for (var items in list) { if (list[items] == item) delete list[items] } } viewList = function(list) { console.log(list) } addItems('bread') addItems('cheese') addItems('milk') addItems('eggs') addItems('flowers') viewList(list) removeItems('cheese') viewList(list) /* Reflection: What concepts did you solidify in working on this challenge? Creating variables and arrays, reviewing the passing of information, objects, constructors, etc. Using a global variable so seperate functions can access the dataset. What was the most difficult part of this challenge? The most difficult part of this challenge was switching back to JS mindset after having worked on Ruby. Once I got back into the mindset, everything seemed to fall into place. Did an array or object make more sense to use and why? For my purposes an array made more sense to use because I did not elaborate specifics for each item. If I wanted to go more in depth with quantity of an item or a specific kind of bread for example, then using an object to add nested details would have made more sense to use. */
{ "redpajama_set_name": "RedPajamaGithub" }
This is a placeholder page for Mike Conway, which means this person is not currently on this site. We do suggest using the tools below to find Mike Conway. You are visiting the placeholder page for Mike Conway. This page is here because someone used our placeholder utility to look for Mike Conway. We created this page automatically in hopes Mike Conway would find it. If you are not Mike Conway, but are an alumni of Old Saybrook High School, register on this site for free now.
{ "redpajama_set_name": "RedPajamaC4" }
You select your transfer in Austria from Kaprun to Vienna. You can also select your Return transfer from Vienna to Kaprun bellow. Please check for Hotel bookings in Kaprun - Austria. No tax for reservations, comparation on several sites, over 220 countries available for bookings, we speak 39 languages, 120 currencies for payment, best prices. Bucharest Airport Transfers can arrange any type of private transportation from Kaprun for any group size to more than 500 destinations from Romania, Hungary, Bulgaria, Serbia, Austria, Croatia, Germany and other countries arround. Private taxi transfers, group minivans or minibuses and coaches are available on the website or on request. Why use our private transfers to Kaprun when you are in Austria ?
{ "redpajama_set_name": "RedPajamaC4" }
From Hollywood sets to your living room, Balsam Hill provides the most realistic and lush artificial Christmas trees on the market. This tree is one of our top sellers, which we featured in our 2011 catalog. When you start with a tree with this much eye-catching majesty, you want to give it plenty of breathing room so you-and all of your holiday guests-can admire it in full. While you may have many Christmas tree decorating ideas in mind, try using plenty of silver and gold Christmas tree lighting as a solid starting canvas. Accentuate simple ball and finial gold ornaments with silver, burgundy, and white ribbon. Pile white and silver-wrapped presents high beneath the tree to continue the theme, and hang matching stockings over the fireplace. Finish the look with winter lilies, which provide just a light pop of color on their pistols between elegant snowy white petals. No matter what decorating route you take, your Christmas tree pictures will twinkle with frosted elegance with the Castle Peak Pine™.
{ "redpajama_set_name": "RedPajamaC4" }
Run Ninja Run - 3 - Unexpected Road played: 8517 times | category: Adventure Games Jump, slide, dash and try to escape your assailants. Instructions: UP to jump, DOWN to slide, SPACEBAR to kick or slash. Live a life of a pirate. Destroy navy ships, battle pirate ships, rob merchants, visit treasure islands and uncover lost treasure, the "Neptune's Eye" MINIBOT XP Defend the human body from the evil virus that may infect you. Plataform game with 50 levels, 4 abilities and 12 differents enemies. Galaxy Jumper Purple galaxies, strange alien creatures, sleeping suns and gigantic planets await you in this psychedelic platformer. Robots Can\'t Think Welcome to the RCNT. A lot of puzzles and actions. Enter the dark mind of a nameless young boy as he dreams of his sister, who is deceased and stuck between this life and the next. What is holding her to this world, and what could her brother do about it even if he knew? Verge is an online adventure game. This game is filled with excitement and thrills. Your objective is to escape the strange world and win the game by reaching the end of every level. There are many evil characters in the game, evade them or destroy them to win. There are various puzzles at every level which must be solved to complete the game. i saw her standing there... but then she was a zombie. A game about zombies, guns, love and dealing with your girlfriend when she turns into a zombie. The I of it 'The I of it' is a strategy game. This game is very simple in the nature of game play but tricky enough to keep you thinking. This game will surely keep you glued to your computer screen. It involves the primary character 'I' who is trying to find 't' in the game. Help 'I' to find 't' by helping it cross the levels in the game. Every level has a puzzle which has to be solved to get to the next level in the game. The levels appear in the order of increasing difficulty which makes the game exciting. Robot in the City - Buy a Comic Book Robot in the city: Buy a comic book is an online point and click adventure game. Your objective in this game is to help the robot to select the comics from the comic book store and buy the comics to win the game. This is a simple sweet game with light hearted fun. Enjoy! Pixel Quest: The Lost Gifts Pixel quest the lost gifts is an online adventure game. The game is based on the quest of a boy to find Santa's lost gifts. Your objective is to get to the end of every level and find all the gifts that are hidden across various levels in this exciting game. The fun part about the game is that its visuals are pixilated, which will surely remind you about the good old classic video games. Hanger is back! Use your rope to swing through each level. Oh, and try not to lose too many bodyparts on the way. Phineas & Ferb - Racing Play Phineas and Ferb racing game! this great game is for either 1 or 2 players, build your own car and race each other!
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Thank God it's Friday! Just dance and let loose! Find time for something that makes you feel alive. Make this Tuesday less mundane. Find time for something that makes you feel alive. Have you heard of Butterfly Skin? Have you heard of Butterfly Skin? Watch the story of a boy named Jonathan Pitre who has a rare skin condition called butterfly skin and how he deals with everyday life with his condition. What a courageous young man. Remember, we only have one body. Learn to take care of it and make sure to love it.
{ "redpajama_set_name": "RedPajamaC4" }
Description of the book "In the Time of the Butterflies": Based on the book by Julia Alvarez, this fact-based drama tells the story of a woman who, along with her family, found the courage to defy a corrupt dictator -- and paid a fearful price for their actions.... The more the reader journeys farther into the book, the more the aforementioned devices become of importance Throughout In the Time of the Butterflies Alvarez does an impressive job using selection of detail to create a strong mental image of the characters and setting for the reader. A novelist, poet, and essayist, she is the author of nineteen books, including How the García Girls Lost Their Accents, In the Time of the Butterflies (a National Endowment for the Arts Big Read Selection), Yo!, Something to Declare, In the Name of Salome, Saving theWorld, A Wedding in Haiti, and The Woman I Kept to Myself.
{ "redpajama_set_name": "RedPajamaC4" }
NAME DROPPING JOHN PARKYNSOUTH FLORIDA SUN-SENTINEL I have recently seen a terrific actress named Connie Nielsen in two movies, The Hunted and Basic. Who is she, and why do we hear so little about her? The tall (5-foot-10) actress prefers performing to public appearances. Born 37 years ago in Ellin, Denmark, she made her stage debut at 15 and three years later decided to try her luck in European movies. It was while she was filming in Italy that she had a romance that produced her son, Sebastian, now 12. Six years ago, Nielsen arrived in the United States and has since appeared in a dozen Hollywood films, most notably as Satan's daughter in The Devil's Advocate and Princess Lucilla in Gladiator. As bright as she is beautiful, she speaks six languages and is a trained opera singer. Watch for her next in the fall release The Great Raid, the true story of an attempt to liberate 500 American prisoners of war from a Japanese camp during World War II. All we've heard about Russell Crowe recently is his marriage to Danielle Spencer. Isn't it time he got back to making more great movies? Don't worry, Hollywood doesn't let a bankable star such as Crowe off the hook for long. In fact, after winning a best-actor Oscar for Gladiator, the 39-year-old actor seems to have become hooked on costume dramas -- all three of his new movies have a historical background. Up first, on Nov. 14, is the long-awaited version of Patrick O'Brian's Master & Commander: The Far Side of the World, with Crowe as Napoleonic-era British Navy Capt. Jack Aubrey. Playing his sidekick in this spectacular, $135million sea epic is Paul Bettany, who played Crowe's imaginary roommate in A Beautiful Mind and recently married Mind's co-star Jennifer Connelly. Crowe's 2004 offerings will include Tripoli, directed by Gladiator's Ridley Scott, also set in Napoleonic times. Crowe switches fleets in this one to tell the story of the U.S. Navy's William Eaton, who plots to overthrow the infamous pirates of the Barbary Coast. Following this, he will reunite with Beautiful Mind director Ron Howard for Cinderella Man, a biopic of Depression-era boxing champ James Braddock. Joy Behar is the best thing about TV's The View. Where did she learn to ad-lib so skillfully? From years of stand-up in comedy clubs around New York. Born in Brooklyn 59 years ago, the Bette Midler look-alike (real name: Josephina Victoria Occhiuto) is a truck driver's daughter who worked her way through college and became an English teacher. She married college professor Joseph Behar and had a daughter, Eve, now 32, but after almost dying from an ectopic pregnancy in 1979, she decided it was time to change her life. She divorced her husband, got a job as a secretary with Good Morning America and honed her stand-up routines at comedy clubs. In 1997, a chance meeting with Barbara Walters led to an offer to appear three days a week on The View. The part-time appearances soon became full time and Behar, who has been married to high school teacher Steven Janowitz since 1982, says she has never been happier. Is it true that Luke Wilson is Owen Wilson's brother? They sure don't look alike. The Old School star, 31, is Owen's younger sibling. The only reason they don't look more alike is that 34-year-old Owen, something of a hell-raiser, has had his nose broken several times. Luke, who was a record-breaking track star in college, admits that he owes his career to his brother. "Owen had written a movie called Bottle Rocket," he says, "and very generously gave me a co-starring role when it was filmed." With more than 20 movies under his belt, Luke has four new releases due this year, two of them in June: Alex & Emma and Charlie's Angels: Full Throttle. The unmarried Texan's former loves include Angel Drew Barrymore and Gwyneth Paltrow, and he is currently dating Joy Bryant (Antwone Fisher). "I guess it's time I settled down," he says, but he shows no signs of doing so. CORRECTION PUBLISHED WEDNESDAY, APRIL 30, 2003.An item in the "Namedropping" column on Page 10D of the April 27 edition of Arts & Leisure contained incorrect information about comedian Joy Behar's marital status. The View co-host is not married to longtime partner Steven Janowitz.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
The reflect of the Worlds is the second within the Crown of the Isles trilogy, so that it will finish the epic Lord of the Isles sequence. The citadel of Glass began the tale of ways the hot country of the Isles is finally brought into being by means of the crowd of heroes and heroines who've been crucial to the entire books within the sequence: Prince Garric, inheritor to the throne of the Isles, his consort Liane, his sister Sharina, her herculean sweetheart Cashel, and his sister Ilna. This comparative research investigates the epic lineage that may be traced again from Derek Walcott's Omeros and Ezra Pound's Cantos via Dante's Divina Commedia to the epic poems of Virgil and Homer, and identifies and discusses intimately a couple of recurrent key topoi. A clean definition of the idea that of style is labored out and provided, in response to readings of Homer. Beowulf, the most important surviving poem in outdated English, consists in a language that's wealthy yet frequently tough. This absolutely annotated version makes the poem extra obtainable in its unique language, whereas whilst supplying the fabrics worthwhile for its distinctive learn at either undergraduate and postgraduate degrees. The old man led the boy to a stall where an elderly woman squatted behind melons, tomatoes, cucumbers, and braids of hanging maize. "So," she said, voice rattling. " "Ah, Mama, a sad one," he replied. "See the tearstreaks? " Lifting the boy before him, he entered the stall. The woman rifled a small package and found a piece of sugar candy. "Here, little man. For you. Sit down, Royal. " Over the boy's shoulder she asked a question with a lifted eyebrow. "A hot day, yes," said Royal. "The King's men were witch-burning again. I'm sure he's harmless. Milady. The people just gather to laugh at him. He doesn't seem to mind. " So. He did see my fear, she thought. And now he's trying to reassure me. Aloud, "What's he talking about? " The soldier suddenly seemed distressed. He tried to hedge. "Come, come, Rolf. I heard him use my name. " "As your Ladyship commands," he muttered. Plainly he feared losing his position as her captain. " A spark blazed in Nepanthe's eyes, a mote of fire that could easily become anger. " The anger waxed, spread from her eyes to her brow. She shuddered, remembering ranks of heads on pikes above the city gates. " "All true, but such things don't mean much to fools, Milady. I know. I was raised here. Your reforms have won support among the small merchants, the artisans, especially the furriers, the guildsmen, and the more thoughtful laborers. All the worst victims of the old government and syndicates. But most of the people refuse to be fooled by your chicanery. And the rich, the crime-bosses, and the deposed Councilmen, keep telling them that's what it is.
{ "redpajama_set_name": "RedPajamaC4" }
Q: spark connects to mongoDB sharded cluster, but no data is fetched Environment: * *Four Debian 9 servers (named visa0, visa1, visa2, visa3) *Spark (v2.4.0) cluster on 4 nodes (visa1: master, visa0..3: slaves) *MongoDB (v3.2.11) sharded cluster con 4 nodes ( config server replica set on visa1..3, mongos on visa1, shard servers: visa0..3 ) *I'm using Spark MongoDB connector installed with "spark-shell --packages org.mongodb.spark:mongo-spark-connector_2.11:2.4.0" *and Jupyter Notebook, Python 3 (pyspark v. 2.4.0) Problem: I can create a SparkSession connected to the master, and load a DataFrame with the whole content of a Mongo collection. In fact, I get the DataFrame schema correctly. But, with .count() or .show() methods on the dataframe i get 0 results. Python/pyspark code: import os os.environ['PYSPARK_SUBMIT_ARGS'] = '--driver-memory 6g --packages org.mongodb.spark:mongo-spark-connector_2.11:2.4.0 pyspark-shell' import pyspark sparkSession = pyspark.sql.SparkSession \ .builder \ .master('spark://visa1:7077') \ .appName("myApp") \ .config("spark.executor.memory", "4g") \ .config("spark.mongodb.input.uri", "mongodb://visa1/email.emails") \ .config("spark.mongodb.input.partitioner" ,"MongoShardedPartitioner") \ .getOrCreate() df = sparkSession.read.format("com.mongodb.spark.sql.DefaultSource") \ .option("uri", "mongodb://visa1/email.emails").load() df.printSchema() # gets the schema correctly df.count() # gets 0, when there are more than 750.000 documents on the collection Considerations: * *The same test connecting with the same code to a standalone mongo server works fine (df.count() gives the correct count). *connecting to mongos, db.emails.count() gives the correct count *Config Server Replica Set seems ok (through rs.status() command on primary server) *Sharding seems ok (through sh.status() command on mongos) *on spark executors, i get the following on stderr: Spark Executor Command: "/usr/lib/jvm/java-8-openjdk-amd64/jre/bin/java" "-cp" "/root/spark/conf/:/root/spark/jars/*" "-Xmx4096M" "-Dspark.driver.port=36511" "org.apache.spark.executor.CoarseGrainedExecutorBackend" "--driver-url" "spark://CoarseGrainedScheduler@visa1:36511" "--executor-id" "2" "--hostname" "visa2" "--cores" "6" "--app-id" "app-20190106213435-0003" "--worker-url" "spark://Worker@visa2:46705" *on spark executors, i get the following on stdout (please, note the "cluster:71 - Cluster description not yet available. Waiting for 30000 ms before timing out"): 2019-01-06 21:34:35 INFO CoarseGrainedExecutorBackend:2566 - Started daemon with process name: 18812@visa2 2019-01-06 21:34:35 INFO SignalUtils:54 - Registered signal handler for TERM 2019-01-06 21:34:35 INFO SignalUtils:54 - Registered signal handler for HUP 2019-01-06 21:34:35 INFO SignalUtils:54 - Registered signal handler for INT 2019-01-06 21:34:36 WARN NativeCodeLoader:62 - Unable to load native-hadoop library for your platform... using builtin-java classes where applicable 2019-01-06 21:34:36 INFO SecurityManager:54 - Changing view acls to: root 2019-01-06 21:34:36 INFO SecurityManager:54 - Changing modify acls to: root 2019-01-06 21:34:36 INFO SecurityManager:54 - Changing view acls groups to: 2019-01-06 21:34:36 INFO SecurityManager:54 - Changing modify acls groups to: 2019-01-06 21:34:36 INFO SecurityManager:54 - SecurityManager: authentication disabled; ui acls disabled; users with view permissions: Set(root); groups with view permissions: Set(); users with modify permissions: Set(root); groups with modify permissions: Set() 2019-01-06 21:34:37 INFO TransportClientFactory:267 - Successfully created connection to visa1/1.1.241.71:36511 after 103 ms (0 ms spent in bootstraps) 2019-01-06 21:34:37 INFO SecurityManager:54 - Changing view acls to: root 2019-01-06 21:34:37 INFO SecurityManager:54 - Changing modify acls to: root 2019-01-06 21:34:37 INFO SecurityManager:54 - Changing view acls groups to: 2019-01-06 21:34:37 INFO SecurityManager:54 - Changing modify acls groups to: 2019-01-06 21:34:37 INFO SecurityManager:54 - SecurityManager: authentication disabled; ui acls disabled; users with view permissions: Set(root); groups with view permissions: Set(); users with modify permissions: Set(root); groups with modify permissions: Set() 2019-01-06 21:34:37 INFO TransportClientFactory:267 - Successfully created connection to visa1/1.1.241.71:36511 after 2 ms (0 ms spent in bootstraps) 2019-01-06 21:34:37 INFO DiskBlockManager:54 - Created local directory at /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/blockmgr-411ce01c-f631-45b5-9b60-b7d6c124d289 2019-01-06 21:34:37 INFO MemoryStore:54 - MemoryStore started with capacity 2004.6 MB 2019-01-06 21:34:37 INFO CoarseGrainedExecutorBackend:54 - Connecting to driver: spark://CoarseGrainedScheduler@visa1:36511 2019-01-06 21:34:37 INFO WorkerWatcher:54 - Connecting to worker spark://[email protected]:46705 2019-01-06 21:34:37 INFO TransportClientFactory:267 - Successfully created connection to /1.1.237.142:46705 after 2 ms (0 ms spent in bootstraps) 2019-01-06 21:34:37 INFO WorkerWatcher:54 - Successfully connected to spark://[email protected]:46705 2019-01-06 21:34:37 INFO CoarseGrainedExecutorBackend:54 - Successfully registered with driver 2019-01-06 21:34:37 INFO Executor:54 - Starting executor ID 2 on host 1.1.237.142 2019-01-06 21:34:37 INFO Utils:54 - Successfully started service 'org.apache.spark.network.netty.NettyBlockTransferService' on port 44735. 2019-01-06 21:34:37 INFO NettyBlockTransferService:54 - Server created on 1.1.237.142:44735 2019-01-06 21:34:37 INFO BlockManager:54 - Using org.apache.spark.storage.RandomBlockReplicationPolicy for block replication policy 2019-01-06 21:34:37 INFO BlockManagerMaster:54 - Registering BlockManager BlockManagerId(2, 1.1.237.142, 44735, None) 2019-01-06 21:34:37 INFO BlockManagerMaster:54 - Registered BlockManager BlockManagerId(2, 1.1.237.142, 44735, None) 2019-01-06 21:34:37 INFO BlockManager:54 - Initialized BlockManager: BlockManagerId(2, 1.1.237.142, 44735, None) 2019-01-06 21:35:17 INFO CoarseGrainedExecutorBackend:54 - Got assigned task 1 2019-01-06 21:35:17 INFO CoarseGrainedExecutorBackend:54 - Got assigned task 5 2019-01-06 21:35:17 INFO CoarseGrainedExecutorBackend:54 - Got assigned task 9 2019-01-06 21:35:17 INFO CoarseGrainedExecutorBackend:54 - Got assigned task 13 2019-01-06 21:35:17 INFO CoarseGrainedExecutorBackend:54 - Got assigned task 17 2019-01-06 21:35:17 INFO CoarseGrainedExecutorBackend:54 - Got assigned task 21 2019-01-06 21:35:17 INFO Executor:54 - Running task 16.0 in stage 1.0 (TID 17) 2019-01-06 21:35:17 INFO Executor:54 - Running task 8.0 in stage 1.0 (TID 9) 2019-01-06 21:35:17 INFO Executor:54 - Running task 0.0 in stage 1.0 (TID 1) 2019-01-06 21:35:17 INFO Executor:54 - Running task 20.0 in stage 1.0 (TID 21) 2019-01-06 21:35:17 INFO Executor:54 - Running task 4.0 in stage 1.0 (TID 5) 2019-01-06 21:35:17 INFO Executor:54 - Running task 12.0 in stage 1.0 (TID 13) 2019-01-06 21:35:17 INFO Executor:54 - Fetching spark://visa1:36511/files/org.mongodb_mongo-java-driver-3.9.0.jar with timestamp 1546806874832 2019-01-06 21:35:17 INFO TransportClientFactory:267 - Successfully created connection to visa1/1.1.241.71:36511 after 5 ms (0 ms spent in bootstraps) 2019-01-06 21:35:17 INFO Utils:54 - Fetching spark://visa1:36511/files/org.mongodb_mongo-java-driver-3.9.0.jar to /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/fetchFileTemp6501978500036245382.tmp 2019-01-06 21:35:18 INFO Utils:54 - Copying /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/-13359565311546806874832_cache to /root/spark/work/app-20190106213435-0003/2/./org.mongodb_mongo-java-driver-3.9.0.jar 2019-01-06 21:35:18 INFO Executor:54 - Fetching spark://visa1:36511/files/org.mongodb.spark_mongo-spark-connector_2.11-2.4.0.jar with timestamp 1546806874820 2019-01-06 21:35:18 INFO Utils:54 - Fetching spark://visa1:36511/files/org.mongodb.spark_mongo-spark-connector_2.11-2.4.0.jar to /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/fetchFileTemp205676444589226484.tmp 2019-01-06 21:35:18 INFO Utils:54 - Copying /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/8587355671546806874820_cache to /root/spark/work/app-20190106213435-0003/2/./org.mongodb.spark_mongo-spark-connector_2.11-2.4.0.jar 2019-01-06 21:35:18 INFO Executor:54 - Fetching spark://visa1:36511/jars/org.mongodb.spark_mongo-spark-connector_2.11-2.4.0.jar with timestamp 1546806874797 2019-01-06 21:35:18 INFO Utils:54 - Fetching spark://visa1:36511/jars/org.mongodb.spark_mongo-spark-connector_2.11-2.4.0.jar to /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/fetchFileTemp2003659413222858965.tmp 2019-01-06 21:35:18 INFO Utils:54 - /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/-10843728141546806874797_cache has been previously copied to /root/spark/work/app-20190106213435-0003/2/./org.mongodb.spark_mongo-spark-connector_2.11-2.4.0.jar 2019-01-06 21:35:18 INFO Executor:54 - Adding file:/root/spark/work/app-20190106213435-0003/2/./org.mongodb.spark_mongo-spark-connector_2.11-2.4.0.jar to class loader 2019-01-06 21:35:18 INFO Executor:54 - Fetching spark://visa1:36511/jars/org.mongodb_mongo-java-driver-3.9.0.jar with timestamp 1546806874798 2019-01-06 21:35:18 INFO Utils:54 - Fetching spark://visa1:36511/jars/org.mongodb_mongo-java-driver-3.9.0.jar to /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/fetchFileTemp1454666184402659399.tmp 2019-01-06 21:35:18 INFO Utils:54 - /tmp/spark-ae02f35d-8340-4cda-ba6f-8d8b7138e803/executor-b6a0e407-de5a-420a-a528-96573fcd9700/spark-1f05e532-25da-492b-8e52-3e5da3fd9617/20228089061546806874798_cache has been previously copied to /root/spark/work/app-20190106213435-0003/2/./org.mongodb_mongo-java-driver-3.9.0.jar 2019-01-06 21:35:18 INFO Executor:54 - Adding file:/root/spark/work/app-20190106213435-0003/2/./org.mongodb_mongo-java-driver-3.9.0.jar to class loader 2019-01-06 21:35:18 INFO TorrentBroadcast:54 - Started reading broadcast variable 2 2019-01-06 21:35:18 INFO TransportClientFactory:267 - Successfully created connection to /1.1.241.71:38095 after 4 ms (0 ms spent in bootstraps) 2019-01-06 21:35:18 INFO MemoryStore:54 - Block broadcast_2_piece0 stored as bytes in memory (estimated size 7.5 KB, free 2004.6 MB) 2019-01-06 21:35:18 INFO TorrentBroadcast:54 - Reading broadcast variable 2 took 182 ms 2019-01-06 21:35:18 INFO MemoryStore:54 - Block broadcast_2 stored as values in memory (estimated size 15.8 KB, free 2004.6 MB) 2019-01-06 21:35:18 INFO TorrentBroadcast:54 - Started reading broadcast variable 0 2019-01-06 21:35:18 INFO MemoryStore:54 - Block broadcast_0_piece0 stored as bytes in memory (estimated size 396.0 B, free 2004.6 MB) 2019-01-06 21:35:18 INFO TorrentBroadcast:54 - Reading broadcast variable 0 took 14 ms 2019-01-06 21:35:18 INFO MemoryStore:54 - Block broadcast_0 stored as values in memory (estimated size 200.0 B, free 2004.6 MB) 2019-01-06 21:35:19 INFO cluster:71 - Cluster created with settings {hosts=[visa1:27017], mode=SINGLE, requiredClusterType=UNKNOWN, serverSelectionTimeout='30000 ms', maxWaitQueueSize=500} 2019-01-06 21:35:19 INFO cluster:71 - Cluster created with settings {hosts=[visa1:27017], mode=SINGLE, requiredClusterType=UNKNOWN, serverSelectionTimeout='30000 ms', maxWaitQueueSize=500} 2019-01-06 21:35:19 INFO cluster:71 - Cluster created with settings {hosts=[visa1:27017], mode=SINGLE, requiredClusterType=UNKNOWN, serverSelectionTimeout='30000 ms', maxWaitQueueSize=500} 2019-01-06 21:35:19 INFO cluster:71 - Cluster created with settings {hosts=[visa1:27017], mode=SINGLE, requiredClusterType=UNKNOWN, serverSelectionTimeout='30000 ms', maxWaitQueueSize=500} 2019-01-06 21:35:19 INFO cluster:71 - Cluster created with settings {hosts=[visa1:27017], mode=SINGLE, requiredClusterType=UNKNOWN, serverSelectionTimeout='30000 ms', maxWaitQueueSize=500} 2019-01-06 21:35:19 INFO cluster:71 - Cluster created with settings {hosts=[visa1:27017], mode=SINGLE, requiredClusterType=UNKNOWN, serverSelectionTimeout='30000 ms', maxWaitQueueSize=500} 2019-01-06 21:35:19 INFO cluster:71 - Cluster description not yet available. Waiting for 30000 ms before timing out 2019-01-06 21:35:19 INFO cluster:71 - Cluster description not yet available. Waiting for 30000 ms before timing out 2019-01-06 21:35:19 INFO cluster:71 - Cluster description not yet available. Waiting for 30000 ms before timing out 2019-01-06 21:35:19 INFO cluster:71 - Cluster description not yet available. Waiting for 30000 ms before timing out 2019-01-06 21:35:19 INFO cluster:71 - Cluster description not yet available. Waiting for 30000 ms before timing out 2019-01-06 21:35:19 INFO cluster:71 - Cluster description not yet available. Waiting for 30000 ms before timing out 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:5}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:3}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:6}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:1}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:4}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:2}] to visa1:27017 2019-01-06 21:35:19 INFO cluster:71 - Monitor thread successfully connected to server with description ServerDescription{address=visa1:27017, type=SHARD_ROUTER, state=CONNECTED, ok=true, version=ServerVersion{versionList=[3, 2, 11]}, minWireVersion=0, maxWireVersion=4, maxDocumentSize=16777216, logicalSessionTimeoutMinutes=null, roundTripTimeNanos=2389159} 2019-01-06 21:35:19 INFO cluster:71 - Monitor thread successfully connected to server with description ServerDescription{address=visa1:27017, type=SHARD_ROUTER, state=CONNECTED, ok=true, version=ServerVersion{versionList=[3, 2, 11]}, minWireVersion=0, maxWireVersion=4, maxDocumentSize=16777216, logicalSessionTimeoutMinutes=null, roundTripTimeNanos=3296820} 2019-01-06 21:35:19 INFO cluster:71 - Monitor thread successfully connected to server with description ServerDescription{address=visa1:27017, type=SHARD_ROUTER, state=CONNECTED, ok=true, version=ServerVersion{versionList=[3, 2, 11]}, minWireVersion=0, maxWireVersion=4, maxDocumentSize=16777216, logicalSessionTimeoutMinutes=null, roundTripTimeNanos=3158622} 2019-01-06 21:35:19 INFO cluster:71 - Monitor thread successfully connected to server with description ServerDescription{address=visa1:27017, type=SHARD_ROUTER, state=CONNECTED, ok=true, version=ServerVersion{versionList=[3, 2, 11]}, minWireVersion=0, maxWireVersion=4, maxDocumentSize=16777216, logicalSessionTimeoutMinutes=null, roundTripTimeNanos=2556701} 2019-01-06 21:35:19 INFO cluster:71 - Monitor thread successfully connected to server with description ServerDescription{address=visa1:27017, type=SHARD_ROUTER, state=CONNECTED, ok=true, version=ServerVersion{versionList=[3, 2, 11]}, minWireVersion=0, maxWireVersion=4, maxDocumentSize=16777216, logicalSessionTimeoutMinutes=null, roundTripTimeNanos=2174393} 2019-01-06 21:35:19 INFO cluster:71 - Monitor thread successfully connected to server with description ServerDescription{address=visa1:27017, type=SHARD_ROUTER, state=CONNECTED, ok=true, version=ServerVersion{versionList=[3, 2, 11]}, minWireVersion=0, maxWireVersion=4, maxDocumentSize=16777216, logicalSessionTimeoutMinutes=null, roundTripTimeNanos=7550692} 2019-01-06 21:35:19 INFO MongoClientCache:48 - Creating MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Creating MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Creating MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Closing MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Creating MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Closing MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Creating MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Closing MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Creating MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Closing MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO MongoClientCache:48 - Closing MongoClient: [visa1:27017] 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:11}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:9}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:12}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:8}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:10}] to visa1:27017 2019-01-06 21:35:19 INFO connection:71 - Opened connection [connectionId{localValue:7}] to visa1:27017 2019-01-06 21:35:19 INFO CodeGenerator:54 - Code generated in 259.273212 ms 2019-01-06 21:35:20 INFO Executor:54 - Finished task 12.0 in stage 1.0 (TID 13). 1586 bytes result sent to driver 2019-01-06 21:35:20 INFO Executor:54 - Finished task 8.0 in stage 1.0 (TID 9). 1586 bytes result sent to driver 2019-01-06 21:35:20 INFO Executor:54 - Finished task 16.0 in stage 1.0 (TID 17). 1586 bytes result sent to driver 2019-01-06 21:35:20 INFO Executor:54 - Finished task 0.0 in stage 1.0 (TID 1). 1586 bytes result sent to driver 2019-01-06 21:35:20 INFO Executor:54 - Finished task 20.0 in stage 1.0 (TID 21). 1586 bytes result sent to driver 2019-01-06 21:35:20 INFO Executor:54 - Finished task 4.0 in stage 1.0 (TID 5). 1586 bytes result sent to driver 2019-01-06 21:35:25 INFO MongoClientCache:48 - Closing MongoClient: [visa1:27017] 2019-01-06 21:35:25 INFO connection:71 - Closed connection [connectionId{localValue:9}] to visa1:27017 because the pool has been closed. 2019-01-06 21:35:25 INFO connection:71 - Closed connection [connectionId{localValue:7}] to visa1:27017 because the pool has been closed. 2019-01-06 21:35:25 INFO connection:71 - Closed connection [connectionId{localValue:10}] to visa1:27017 because the pool has been closed. 2019-01-06 21:35:25 INFO connection:71 - Closed connection [connectionId{localValue:11}] to visa1:27017 because the pool has been closed. 2019-01-06 21:35:25 INFO connection:71 - Closed connection [connectionId{localValue:12}] to visa1:27017 because the pool has been closed. 2019-01-06 21:35:25 INFO connection:71 - Closed connection [connectionId{localValue:8}] to visa1:27017 because the pool has been closed. Updated info (thanks to @kk1957 answer) Making further tests, i'm pretty sure now that the problem comes from the SparkSession object initialization that is made in Jupyter Notebook: * *when i start pyspark shell, all goes fine if I use the "spark" object created by pyspark *but, if i create a new SparkSession, i reproduce the lack of results. Using default spark session: ./pyspark --master "spark://visa1:7077" --packages "org.mongodb.spark:mongo-spark-connector_2.11:2.4.0" ... Welcome to ____ __ / __/__ ___ _____/ /__ _\ \/ _ \/ _ `/ __/ '_/ /__ / .__/\_,_/_/ /_/\_\ version 2.4.0 /_/ Using Python version 3.5.3 (default, Sep 27 2018 17:25:39) SparkSession available as 'spark'. >>> df = spark.read.format("com.mongodb.spark.sql.DefaultSource") \ ... .option("uri", "mongodb://visa1/email.emails") \ ... .option("pipeline", '[ {"$match": {"mailbox": /^\/root\/pst_export\/albert_meyers_000_1_1.export/}} ]') \ ... .load() 2019-01-07 08:41:30 WARN Utils:66 - Truncated the string representation of a plan since it was too large. This behavior can be adjusted by setting 'spark.debug.maxToStringFields' in SparkEnv.conf. >>> >>> df.count() 1162 But, creating my own spark session object: Welcome to ____ __ / __/__ ___ _____/ /__ _\ \/ _ \/ _ `/ __/ '_/ /__ / .__/\_,_/_/ /_/\_\ version 2.4.0 /_/ Using Python version 3.5.3 (default, Sep 27 2018 17:25:39) SparkSession available as 'spark'. >>> >>> spark2 = SparkSession \ ... .builder \ ... .master('spark://visa1:7077') \ ... .appName("myApp") \ ... .config("spark.executor.memory", "4g") \ ... .config("spark.mongodb.input.uri", "mongodb://visa1/email.emails") \ ... .config("spark.mongodb.input.partitioner" ,"MongoShardedPartitioner") \ ... .config("spark.jars.packages", "org.mongodb.spark:mongo-spark-connector_2.11:2.4.0") \ ... .getOrCreate() >>> >>> df2 = spark2.read.format("com.mongodb.spark.sql.DefaultSource") \ ... .option("uri", "mongodb://visa1/email.emails") \ ... .option("pipeline", '[ {"$match": {"mailbox": /^\/root\/pst_export\/albert_meyers_000_1_1.export/}} ]') \ ... .load() 2019-01-07 09:18:04 WARN Utils:66 - Truncated the string representation of a plan since it was too large. This behavior can be adjusted by setting 'spark.debug.maxToStringFields' in SparkEnv.conf. >>> >>> df2.count() 0 The same code, attacking a single MongoDB (no sharding) works fine: ./pyspark --master "spark://visa1:7077" --packages "org.mongodb.spark:mongo-spark-connector_2.11:2.4.0" ... Welcome to ____ __ / __/__ ___ _____/ /__ _\ \/ _ \/ _ `/ __/ '_/ /__ / .__/\_,_/_/ /_/\_\ version 2.4.0 /_/ Using Python version 3.5.3 (default, Sep 27 2018 17:25:39) SparkSession available as 'spark'. >>> >>> spark2 = SparkSession \ ... .builder \ ... .appName("myApp") \ ... .config("spark.mongodb.input.uri", "mongodb://singleMongoDB/email.emails") \ ... .config("spark.mongodb.input.partitioner" ,"MongoShardedPartitioner") \ ... .getOrCreate() >>> >>> df = spark2.read.format("com.mongodb.spark.sql.DefaultSource") \ ... .option("uri", "mongodb://singleMongoDB/email.emails") \ ... .option("pipeline", '[ {"$match": {"mailbox": /^\/root\/pst_export\/albert_meyers_000_1_1.export/}} ]') \ ... .load() 2019-01-07 09:04:58 WARN Utils:66 - Truncated the string representation of a plan since it was too large. This behavior can be adjusted by setting 'spark.debug.maxToStringFields' in SparkEnv.conf. >>> >>> df.count() 2019-01-07 09:05:03 WARN MongoShardedPartitioner:60 - Collection 'email.emails' does not appear to be sharded, continuing with a single partition. To split the collections into multiple partitions connect to the MongoDB node directly 1162 Question: I'm pretty sure the problem is on the way the SparkSession object is created in the Jupyter Notebook, when it attacks a MongoDB sharded cluster. Could you help me to debug the problem? Thanks in advance A: A few suggestions: 1) Did you try connecting to Mongo db on the master machine? just to make sure there is nothing between the mongo and master. 2) Try running your cluster in a simpler configuration (without any executor or just one executor) and see if that helps you find the root cause.
{ "redpajama_set_name": "RedPajamaStackExchange" }
Ghost Writer & Content Coach Our stories narrate our truth. 31 Days – A New Adventure! Golden Rules: 31 Days of Life Lessons From Copper Off the Beaten Path in Pensacola A Few Random Things Author / Deb Burdick Posts by Deb Burdick Ghostwriter and content coach Deb Burdick helps her authors identify their reader, capture their message, and polish their written voice in order to achieve their writing goals. Whether working as a coach or a 'full ghost,' Deb infuses magic into something that feels like work to many people: clear, effective written communication that sounds like the author at their very best. During two decades as one half of a museum exhibit design partnership, Deb has navigated the ever-changing business landscape of subject research, budgets and schedules, concept presentations, and exhibit installation. If you want to know the stories behind the stuff, ask Deb. She thrives on continually challenging the creative process and maintaining exceptional client relationships. Flexible, good-humored, and quick to connect with others, Deb lives just outside Pensacola, Florida with her husband and their dogs, a Golden Retriever and a Basset Hound. She has two grown daughters. March 3, 2016 by Deb Burdick Dining Al Fresco Putting the "fresh" in "fresh food, served fresh." Photo courtesy Brian Butler Spotted recently in downtown Pensacola: four sleek silver Airstream trailers. They're not just passing through, either; you can find them at the intersection of South Palafox and Main Streets. If you're looking for a delicious outdoor dining option with out-of-the-box menus like fresh Gulf seafood, authentic Southern barbecue, a Tex-Mex taqueria, and Asian fusion, and you like the idea of people watching while perching at a pub table under a patio umbrella just a few steps from Pensacola Bay, this is probably a great fit for you. "Gouda Stuff" has a menu dedicated to grilled cheese lovers. Can you even imagine? If you want your lunch to be a combination of great local food, a perfect heart-of-downtown setting, and breezes off the bay…call me and I'll join you. It's like taking an hour-long vacation without leaving the zip code. Most places are open for lunch and dinner, there's a daily happy hour, and on Mondays, kids 12 and under eat free. Explore menus to your heart's content here: www.eatalfresco.com. November 27, 2015 December 10, 2015 by Deb Burdick The Safest Woman Around cemetery, history, neighborhood, Pensacola, walking I met Bridget yesterday in a cemetery so small and unnoticed it almost looked like a vacant city lot. The headstones were scattered and homemade. In the middle of the cemetery, there was a big old live oak tree, and near the tree, a single wooden bench. We were installing graphic panels in a wooden kiosk, panels that helped show and tell the story of the cemetery and some of the people buried there. Occasionally people passed by on foot or bicycle, greeting us politely, curious about what we were doing there. Bridget called to us from her house across the street, and before long she was beside us, sporting plaid pajamas, a gray sweatshirt, and a cheery pink hat. She'd been keeping an eye on the cemetery and the kiosk, she told us, and she loved the idea that the cemetery's history was being preserved. Bridget had served in the Army, we learned, been in Germany, knew something of Homeland Security, held a degree from the local university. She was a minister now. Bridget told me a story about Mary, who used to walk through the neighborhood every day. Bridget became acquainted with her, and they used to walk together. "Miss Mary used to tell me this was good for her mind, walking here," Bridget said proudly. "We got used to seeing her around all the time. Folks would talk with her, and she would talk with them. She was just a common woman, in common clothes, you understand? Nothing fine or fancy about her." "Wasn't till later we found out Miss Mary was from an old Pensacola family, and she had money. She never let that be what she was about. She just loved walking here, and she would talk to anybody, and we all knew her. You know what? I bet Miss Mary was the safest woman around. She wasn't big, or tough, but nobody bothered her." I thought on Bridget's words quite a bit the rest of the day. A woman like Miss Mary could have stayed tucked away in a big house in a gated neighborhood, never knowing anything of the people who lived in the communities she passed through — or around — on her way to other places. She could have kept her friends and associations limited to just people who were like her. But she didn't. Mary's family was successful in business, and they gave back most generously to the community that had been good to them. And then I thought: would we do that now? Walk through an unfamiliar neighborhood, taking time to greet people and be greeted by them, not just rushing through on our way somewhere else? If it weren't for Copper, I might not have the inclination to walk through my own neighborhood, let alone one that wasn't anywhere near my home. But Miss Mary, she did exactly that, with an open mind and an open heart, and she found not only her way, but her place. November 3, 2015 November 27, 2015 by Deb Burdick 31 Days of Life Lessons Learned from Copper, Uncategorized Golden Rule #31: Do What You're Made To Do. Of all the rules, this is one of my absolute favorites. Does this mean you're only made to do one thing? Nope. It certainly doesn't. It means you are wired a certain way, with specific gifts, skills, strengths, and aptitudes, and completing those circuits will complete something inside you like nothing else. Many years ago my best girlfriend in the history of ever hand-lettered a beautiful sentiment. No idea where she got it, but I memorized it, and it has proved itself so true, over and over and over, as the years have gone by. A woman will get only what she seeks Choose your goals carefully Know what you like And what you do not like Be critical about what you can do well Choose a career or lifestyle that interests you And work hard to make it a success But also have fun in what you do Be honest with people, and do your best But don't depend on anyone to make life easy or happy for you (Only you can do that for yourself) Be strong and decisive But remain sensitive Understand who you are And what you want in life When you are ready to enter a relationship Make sure that the person is worthy Of everything you are physically and mentally capable of Strive to achieve all that you want Find happiness in everything you do Love with your entire being Love with an uninhibited soul Make a triumph of every aspect of your life. (Author: Susan Polis Schultz) I haul it out and think on it, especially when I struggle with whether I'm doing what I'm made to do. Mind you, I haven't questioned that much in the last 15 years or so. I know I am. But before that? I worked as a customer service representative for a big publishing company. It had a daunting list of unfamiliar products, a phone system that screamed and flashed lights when calls were waiting, a computer system that defied anyone's ability to navigate, and countless bright eyed college students spinning facts from scripts at dizzying speeds while administrators trolled up and down between the desks. Oh yes and hosts of angry customers, many of whom worked up a healthy head of steam while waiting on hold for almost an hour. Time clocks. Policies. Dress Codes. Headsets. It was memorable for so many different reasons, and I can still recall in vivid technicolor some of the most vicious calls. Before that, I worked for a general practice law firm, back before computers were commonplace but mag card typewriters and IBM Personal Typing Systems…now they were everywhere! I could transcribe dictation, navigate the Michigan Court Rules, decipher the world's worst penmanship, set up and maintain complicated client files, and file court documents with the best of them. The stories from that place! No wonder John Grisham can write so prolifically! And before that, I sold black sweet cherries at roadside fruit stands during the summers. Great way to meet people. Get a good tan, if only on the front half of me. Weigh and display fruit. Count change. Give directions to out-of-towners. It was a grand adventure that began when I was about 14. There were other jobs along the way, too, and even when I despaired of ever making a living as a writer, in retrospect, I know this for sure: there was no wasted time, no wasted skill. It all went into the hopper of life experience, and I use it today. Well, maybe not the mag card typewriter. But the ability to master unfamiliar equipment and programs? Yep. What about calming down upset people? Every. Single. Day. Preparing invoices? Cutting checks? Giving directions? Oh yes. Yes indeed. The thing is, you have to get to a point where you know that you don't have anything to prove to anyone. You've paid your dues. You don't apologize…you just do what you know, and do what you are, and it is enough. It is more than just enough. It is the best and rarest thing ever. Don't forget: you have the best job in the world — and you are absolutely qualified to do it! How did Copper teach me this life lesson? Well, he pretty much underscored it. Life itself taught me, and life is a relentless teacher…if you don't get the lesson one way, it circles around and teaches you another way. Copper is all about doing what he is made to do. Copper's registered name is Wright's Golden Comfort. He is uniquely attuned to the atmosphere around him. When someone needs comfort, he is all over that. He leans into them. He staples them to the floor with his body. He just oozes comfort. I don't know how he knows. But he knows. And he is the greatest comfort when things are uncertain. Turns out he joined us on the cusp of more uncertainty than anyone imagined. And he just muscles his beautiful golden way right through it and reassures us with his smile and his incredibly positive attitude. Is he perfect? No. Does he make things better? You better believe it! Calm vs Dull 31 Days of Life Lessons Learned from Copper Golden Rule #30: There Are No Dull Moments. None. How often do you hear someone say, "That's boring!" or, "I'm bored!" Bored, like so many other things in life, is an attitude, and an attitude is…a choice. Some things are more interesting and exciting than other things. Folding socks, for instance, is not terribly interesting. Data entry tends to make the mind want to wander. How about being caught at the railroad tracks by a seemingly endless, slow-moving train? Trains and tracks wind throughout Pensacola like a giant zipper. As frustrating as it might be to be caught on the wrong side of the tracks when one lumbers through, I remind myself…the railroads opened Pensacola up to the rest of the country. Before they came, Pensacola was largely accessible only by water. Our beautiful beaches really were our best-kept secret. The railroads brought people in…and took people, and products, out. Everything changed when the railroads came through. But that doesn't really help when you're sitting at the track with the bars coming inexorably down. What do you do? When my daughters were young, we used to count the train cars. About the time we got close to 100 cars, the train would start picking up speed and we would see the caboose rumbling along behind alllllll those cars. It actually got to the point where we didn't dread the trains because we knew we'd get to count the cars, and check out the colorful graffiti on the sides of some of them. Double decker cars counted twice, by the way. Because I'm convinced that everything happens for a reason, I tend not to see any moments as "dull." I just don't. There's always something to study, turn over, think about, or do. Even as a kid, I found ways to entertain myself. When I was about 10 years old, I used to sit in church, pencil in hand, paper on my lap (usually the back of one of those handy offering envelopes at the ready in the pew in front of us), and write down every word I heard that was seven letters or longer. We lived in a college town, and some of those preachers really went to town with the five-dollar words. After the service, I would give the list to my dad, who would thank me, and carefully tuck it away in his jacket pocket. What was the point? Well, there probably wasn't one. Nobody told me to do that. Did it help my vocabulary, and affect my livelihood? Possibly. It kept me out of trouble, though, because I never knew when one of those words was going to show up. And what has life with Copper taught me about dull moments? With Copper around, there is no such thing, ever! Copper is a very busy dog. He has always been a very busy dog, from the time he arrived on the scene. I loved that his breeder kept him and his litter mates in a pen filled with cedar shavings and played classical music to soothe their little minds and impart culture as well. I've learned that "calm" and "dull" are nowhere near the same words, even though they have the same number of letters. We've learned that twice-daily walks help settle Copper's mind and we use the term "power chewer" when referring to his habits. Copper always has the inclination to calm others down, whether people or dogs, and he's sensitive to tension in the atmosphere. Sometimes we have to help him calm down, too, when he's too excited. But dull? Nope. Not a single second of dull with this bright boy around! October 31, 2015 by Deb Burdick Daring Greatly…and Being Thankful Golden Rule #29: Be Thankful for the Opportunity. This one is pretty easy, when things go well and you finish a project triumphantly and you get to hear praise for your creativity and hard work and the check arrives and you have the prospect of more wonderful things in the near future. Yep. It really is. And then there are times when you take on more than you can possibly do, and you know that even your best effort might not be enough. You're tired, dirty, hungry, and nobody is paying the least bit of attention to you or your work. Instead of feeling good, you're feeling lousy, and the refrigerator stops working and the car is making a funny noise and that's an unexpected bill in your mailbox. How about the times when you have to change course so suddenly that you don't get a chance to finish what you started? Those might be the hardest ones of all — there's no closure, no sense of completion. To all of those, can you say, gracefully, "thank you for the opportunity?" Even bad experiences teach us important lessons, and those lessons definitely stick! I absolutely love Teddy Roosevelt's speech entitled "Citizenship in a Republic." In part, he said, It is not the critic who counts; not the man who points out how the strong man stumbles, or where the doer of deeds could have done them better. The credit belongs to the man who is actually in the arena, whose face is marred by dust and sweat and blood; who strives valiantly; who errs, who comes short again and again, because there is no effort without error and shortcoming; but who does actually strive to do the deeds; who knows great enthusiasms, the great devotions; who spends himself in a worthy cause; who at the best knows in the end the triumph of high achievement, and who at the worst, if he fails, at least fails while daring greatly, so that his place shall never be with those cold and timid souls who neither know victory nor defeat. You can't go wrong being thankful. You just can't. It catches people off guard. Often they aren't expecting it. They might think you're going to ignore them, or chew them out, and instead, you thank them. Try it. See what happens. Copper embodies gratitude. He thanks me for waking up in the morning, for taking him for his two daily walks, for his food, for his treats, for his school sessions, for making sure he has access to fresh flowing water in the bathtub, and for any number of other things. He sometimes shows it in crazy ways — just yesterday I had to bribe him to release a macaroni-and-cheese print sock of Marley's, for instance. But there is no "cold and timid" with Copper. I know where I stand with him. His gratitude makes my days infinitely better. October 31, 2015 December 10, 2015 by Deb Burdick Do the Hard Thing Golden Rule #28: "Ain't Nothin' But A Thing." A story related to me by a favorite exhibit contractor of ours was breathtaking in its simplicity. When colleagues of his became agitated over something outside their control, he pointed out the obvious. "Ain't nothin' but a thing," he said in his distinctive Alabama drawl. With that, I realized he was absolutely right. The person was assigning the "thing" far more importance than it deserved. Things could be changed, replaced, reworked, or relocated. It simply wasn't worth the significance it was being given or the aggravation it was causing. When Copper was younger, he had a habit of destroying things. Shoes. Favorite toys. Electronic devices. Sunglasses. As a result, he learned a few things. He learned the meaning of the phrase "tuck in" when we had to leave him alone. We learned not to leave things where he could reach them. I learned dogs are most likely to destroy something out of frustration during the first 30 minutes they're left on their own. And I learned that no thing was worth destroying Copper's trust in us as his caregivers. Entrepreneur and business strategist Dan Waldschmidt said it this way: You have to make the call you're afraid to make. You have to get up earlier than you want to get up. You have to give more than you get in return right away. You have to care more about others than they care about you. You have to fight when you are already injured, bloody, and sore. You have to feel unsure and insecure when playing it safe seems smarter. You have to lead when no one else is following you yet. You have to invest in yourself even though no one else is. You have to look like a fool while you're looking for answers you don't have. You have to grind out the details when it's easier to shrug them off. You have to deliver results when making excuses is an option. You have to search for your own explanations even when you're told to accept the "facts". You have to make mistakes and look like an idiot. You have try and fail and try again. You have to run faster even though you're out of breath. You have to be kind to people who have been cruel to you. You have to meet deadlines that are unreasonable and deliver results that are unparalleled. You have to be accountable for your actions even when things go wrong. You have to keep moving towards where you want to be no matter what's in front of you. You have to do the hard things. The things that no one else is doing. The things that scare you. The things that make you wonder how much longer you can hold on. Those are the things that define you. Those are the things that make the difference between living a life of mediocrity or outrageous success. The hard things are the easiest things to avoid. To excuse away. To pretend like they don't apply to you. The simple truth about how ordinary people accomplish outrageous feats of success is that they do the hard things that smarter, wealthier, more qualified people don't have the courage — or desperation — to do. Do the hard things. You might be surprised at how amazing you really are. But always remember: it ain't nothin' but a thing. Even if it is a hard thing. October 29, 2015 October 29, 2015 by Deb Burdick Winging It Golden Rule #27: Embrace Unexpected Change. I Know. It's Very Hard. I have learned every single one of the Golden Rules posted during this 31-day challenge. Most of them, I've learned the hard way. You know, not by just hearing about someone else's experience, but instead, by living them in excruciating detail. Some come harder than others. This one, for me, comes very, very hard. From the time I was very small, I liked to know what was next. I have a well-earned reputation as a champion list maker. I make lists of lists. My parents despaired of me ever progressing beyond some of those lists, I'm sure, but hopefully as the years have gone by, I've made some progress. It took me a long time to realize, the goal isn't to fit your life to the plan, or the list. Rather, the goal is to master the art of improvising, adapting, persisting, and overcoming. Bonus points for doing that with a good attitude! I like plans. I really, really like plans. They make me feel so much better. But sometimes we get so focused on our plans that we don't open our minds and hearts to the unexpected. Like this week, when I got to spend time with these people: These are some of my favorite people on the planet: Hillary, Tim, Jessica, Marley, and Ian, with the incomparable Silo in Marley's arms. We had a spontaneous dinner party at Tim and Jessica's when Ian and Hillary (literally) flew in for a fly-in. Did we have time for a plan? Nope. We just (don't groan) winged it. And it was perfection, from start to finish. So. Plans, even the best-laid plans, can, will, and do change, without any warning at all. Does that mean you shouldn't have a plan? No, not at all. It means, be willing to wing it when plans change. The best things happen that way, and sometimes we end up realizing, like I have, we dreamed and planned too small! Copper is marvelous when it comes to changing plans. He adapts on the fly, of course, and is willing to change course midstream. He doesn't pout or hold a grudge. He puts himself wholeheartedly into the new plan, and frankly, he makes all my plans so much better. This is what happens when I plan to change my sheets… If You've Got to Have an Attitude, Make it a Good One! Golden Rule #26: Attitude Really is Everything. So is Timing. You hear it all the time: "Attitude is everything." Turns out it's absolutely true. You can be less than an expert, or less than experienced, but a willingness to learn, coupled with an impeccable sense of timing, will carry you very far in life. What is the right kind of attitude? We talk about a great attitude, and a positive attitude, and an attitude of gratitude…we hear about it when we have a bad attitude, too. "Don't give me that attitude, now." "Watch your attitude, son." And somehow we're expected to wade through the attitudinal minefield and figure out what's good, and what's bad. Turns out our attitude is kind of like a barometer other people use to measure us. Sometimes we control our attitude, and sometimes our attitude controls us. We can blame other people, but in the end, our attitude is our responsibility. We can't own anyone else's attitude, but we can certainly own our own. And good news here — attitudes can change! We can actually drive the attitudinal bus! It's hard. It's really hard. It takes lots of practice and sometimes even saintly older people have been known to have a less-than-stellar attitude. I was waiting in line at the eye doctor's office yesterday, a long line of patient gray haired people stretching in both directions around me, and I heard the girl at the desk say, "This isn't my job. I don't usually work here. Everybody is in a meeting. I don't know where anything is." All those things were true. I didn't see stress levels going up too terribly high among the gray haired group. In particular, the couple in front of me was the essence of patience. Patient patients…sorry…it just tickled me. Anyway, the couple in front of me looked like maybe they were in their 80s. They were old. They were wrinkled. They were bent nearly double. She carried a cane. He carried, very precisely, a checkbook, an appointment card, and a pen. They wore sensible shoes with no laces. I thought, oh boy, this is not who I want to be in a few decades. And then they reached the counter, and the girl gave her same matter-of-fact speech. And the man looked at her, through very thick glasses, and said, after a moment, "Well, you're just doing the best you can, and that's all anyone can ask." And his wife nodded pleasantly beside him. I could see the absence of stress in them, and the calmness in them, and the way it just flowed around all of us like a smooth wash of velvet. The girl whose job it wasn't checked them in, and sent them to sit near their doctor's office door, and I found myself just wanting to be near their reassuring presence. We could have stomped and blustered and it wouldn't have made a bit of difference. The girl still didn't have a clue, nor did she have a great attitude. But I took my cues from the couple ahead of me, and I'm still thinking about them today. I'd rather echo their influence than, say, that of the person who tailgated me hardcore all the way home from the airport this morning. People. It was 5 a.m. I didn't relish being rushed, so I turned down a side street to get out of your way. Maybe attitude is nothing more than thinking about how you're influencing the lives and thoughts of people around you. A good attitude will carry you further than a bad one, for sure. What has Copper taught me about attitudes? It's rare for me to catch him with a bad one, that's for sure. Sometimes I know he's upset, or confused, or disappointed about being left behind (the people in my house tend to come and go. A whole lot.) But he rights himself like a rubber duck in a tub full of water. And I know this for sure: stuff surely does travel up and down the leash. My attitude definitely affects his. All the more reason to have a good one. Master of the Moment Golden Rule #25: Enjoy the Ride. The View is Amazing! Sometimes I think we get so focused on where we are, and where we want to be, that we forget to enjoy the ride along the way. Our life is much more than a series of things we check off a list of things to do each day. So very much more. In fact, I think the best parts of life may be the ones we don't plan within an inch of their lives. The spontaneous moments that just sort of happen as unplanned happy accidents. Tonight was just one of those moments. We reunited with beloved friends after several years apart, several years of lifetimes, and the hours flew by much too quickly. We relived old memories and made new ones, and reminded ourselves, there will be a next time, after more moments of lifetimes. Copper is the master of the moment. He really doesn't have a visible concept of the past or the future, and he makes the most of the here and the now. It is such fun to see him live his life wholeheartedly — there are no coy games with this beautiful golden boy, and when something captures his interest, he leaps in with all four feet and tail waving gaily. I absolutely love how Jack London puts it: I would rather be ashes than dust! I would rather that my spark should burn out in a brilliant blaze than it should be stifled by dry-rot. I would rather be a superb meteor, every atom of me in magnificent glow, than a sleepy and permanent planet. The function of man is to live, not to exist. I shall not waste my days trying to prolong them. I shall use my time. Use your time. Make the most of every moment you're given. Make a triumph of every aspect of your life. No regrets! And no dry-rot. Golden Rule #24: Make the Minutes Count. There's Always Something You Can Move Forward. You've probably heard the adage, if you want to get something done, ask a busy person to do it. It's more true than you know. And there's this, which is so true it's not just a saying, it's one of Newton's Laws: a body in motion tends to stay in motion, and a body at rest tends to stay at rest. A big job that seems overwhelming can be broken down into many manageable steps. For instance, I've been groaning and sighing over the state of my disorganized garage for longer than I can remember. I'd tackle it, make some headway, and then it would drift back in again. It was frustrating, overwhelming, and always there. This summer, when my schedule turned into a weird blend of quiet weeks alone followed by less-than-predictable days of various family members coming home, I realized I had some say in things. Yes, it was still summer in Florida, and too miserably hot and humid to spend time cleaning out the garage. But if I brought the garage into, say, the dining room, a few boxes at a time, nobody was going to be disturbed. Except me, of course. It started with nine Rubbermaid tubs. Some had Christmas decorations in them. Some had mystery contents. Nine was a manageable number, stacked against the wall. I could go through three or so in the evening after walking Copper. I set up a work station: the table cleared and ready to accept box contents for sorting. A large trash bag under the table, easily accessed. Empty boxes for items to be donated or sold. And a box for kept items to be organized and labeled for future access. I kept a file box of blank index cards handy for labeling and referencing box contents. I apologized to the dining room almost nightly, as the piles continued to grow. Bags of trash went outside to the trash can. Boxes were loaded into the garage for yard sales and donations. The progress, at first, was almost imperceptible. I couldn't imagine ever getting through the load of stuff lingering in the garage. But little by little, evening by evening, weekend by weekend, it began to happen. At one point I had thirty empty Rubbermaid tubs in the dining room. Yes. Thirty. It was stunning. The decisions began to come more easily. I could lift something up and know almost instantly whether I would keep it, toss it, or recycle it. Turns out I had a lot of stuff that, while still useful, had served its purpose in my life and was ready for a new life with someone else. I could keep the memories without having to keep the stuff. That right there was life-changing! Three garage sales. Yes. Three. In a single summer. (That's it's own post right there.) A plan for reorganizing the garage that, while it's waiting for cooler weather, is going to happen before the end of the year. And so this massive project, which still would have been waiting to be tackled, is well in hand, thanks to a determination to move things forward even in small increments. It didn't get the way it was overnight. It wasn't going to get organized overnight. But it will happen. How did Copper teach me about this particular life lesson? He knows all about making minutes count. When the prospect of doing 20 minutes of homework every day seemed overwhelming, he could break it down into five-minute increments of having fun together. It was a delight to see his mind challenged and his eyes focused on whatever we were tackling together. And after five minutes, if he was losing interest, it was time to stop anyway, and start again with something else a little while later. It worked beautifully. Over the course of many months, those five-minute increments were resulting in a better trained dog (and handler) than I had ever imagined. Years' worth of work were managed five minutes at a time.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Juno's three solar-panels provide both energy and stability for the slowly turning spacecraft. (NASA/JPL) Juno at Jupiter: Arrival For the first time in thirteen years, a spacecraft is orbiting the biggest planet. By Gary Seronik on Jul 05, 2016 After a journey of nearly five years and 2.8 billion kilometres, the Juno spacecraft arrived at Jupiter on July 4, 2016, to begin a 20-month examination of the solar system's largest planet. Juno is only the second probe to orbit Jupiter — the first was Galileo, which arrived in 1995. All other missions were simply brief (but productive) "flyby" encounters. This illustration depicts NASA's Juno spacecraft in orbit around Jupiter, the solar systems laragest planet. Juno's three solar panels provide both energy and stability for the slowly turning spacecraft. (NASA/JPL) After initial manoeuvres, Juno will begin to circle Jupiter in a highly elliptical orbit that brings it to within 5,000 kilometres of the planet every 14 days, starting in October. The spacecraft will have its close approach (perijove) over Jupiter's polar regions to avoid the most intense areas of the big planet's dangerous radiation belts. Each time it does so, Juno will image atmospheric belts, zones and spots in spectacular detail. But that's not all. This first orbital view of Jupiter and three of its satellites was captured on July 10, 2016, at 10:30 a.m. PDT (1:30 p.m. EDT), when the spacecraft was 4.3 million kilometres (2.7 million miles) from the planet on the outbound leg of its initial 53.5-day capture orbit. (NASA/JPL-Caltech/SwRI/MSSS) The primary mission objective is to shed light on Jupiter's origin. Juno will do this by examining the planet inside and out. A suite of nine scientific instruments is set to probe Jupiter's incredibly deep and complex atmosphere, the swirling sea of liquid metallic hydrogen beneath it, and the solid core (assuming one exists) that may have "seeded" the planet's formation. To complete the picture, the spacecraft will record subtle variations in the gas giant's powerful gravitational field and map its enormous magnetosphere. This video includes computer animation and Juno's first images of Jupiter and its moons. How Canada is training the next lunar astronauts This week in space news: Western University is poised to help train a Canadian going into lunar orbit. Canadian camera to go on exoplanet hunting mission Canadian technology will be flying on the Roman space telescope in 2025, on course to capture images of planets outside our Solar System. Canada is all-in on the next lunar leap Canadian Space Agency announces another round of LEAP projects awarded a total of almost $3 million Arecibo's end and Canada's bright radio future This biweekly column focuses on a trending news topic in Canadian astronomy. This week: as Arecibo sees last light, Canadian projects could help pick up the scientific slack.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Play geometry dash free unblocked Play geometry dash free unblocked. Play Geometry Dash Game 2019-05-04 Saturday, May 04, 2019 4:49:41 PM Vaughn Play Geometry Dash Game For instance, the speed portal speeds your character up, while its size is changed by the size portal. As the game progresses, the cube can also be transformed into things like ball or a ship, each form having its own unique mechanics. In those cases, it will become very important to get the first jump absolutely right. Play amazing Geometry Dash Online right now! But you do have to practice a lot if you want to advance through the levels. On the site play all your favorite crazy games. Geometry dash free unblocked This game has newer updates in versions of and. But the slower you go the shorter the distance of your jumps. Geometry Dash is a rhythm-based platformer game has 21 levels. Honestly, encountering them by surprise is a lot more fun. Have fun with this ragdoll physics-based Flash game! Instead all you need to do is to ensure you have the most recent version of Flash installed on your computer. There are currently over 50 million online players worldwide. Your job is ensuring the characters avoid any and all deadly obstacles that can kill you. Some are very simple, but others that people have created are difficult to master and very unique. Just look out for them as you play and see if you can catch them. Just avoid taking too big risks to get them. Happy Wheels Unblocked Unlocking New Levels You will be given coins at the end of every level you complete successfully. Endless Levels Although you are provided with 21 different levels by the game makers, there are also millions of other levels you can access that other players have created. Your ball is able to bounce, roll and rush, so use his abilities to make your way to the finish. In addition there are numerous different kinds of portals that introduce changes to game play that are quite significant. Basically, that allows you to customize your profile icons to provide you with quite different game experiences to enjoy. However, with this game, you need to be at the very top of your game right from the first time that you try playing it. Knowing what they do is important so that you can take advantage wherever possible. You can only play them by having enough coins saved up. Happy Wheels is a bloody and addicted action game that has you playing through a plethora of different levels with over a dozen unique characters!. Also this will help you to slow anging process and enhance multi-tasking skills. We bet that you will get into it for hours from the very first glance and move! They will be able to both help you succeed and cause all sorts of problems. Geometry Dash was developed by Robert Topala. The first way to do this is to complete official and user levels. Play Geometry Dash Pc Now !!! Adobe Flash is totally free, which is the best part about it. That music can help you time your jumps a lot better. This one will actually send you backwards to the start of the level. The orbs are scattered around the levels and you should try and pick up as many as you can. Essentially, you will want to hit the space key at the right time, every time. This is Geometry Dash, a title where you will play for a small ball that tries to make it through the obstacles and dangers, such as spiky traps and other harmful objects. Your task in Geometry Dash: Jump over all obstacles. This will result in numerous new custom levels being created. When you hit these, they can transport you to another part of the level. There are even Linux versions that are also available for you to use. But the simplicity of the controls should not be mistaken for this being a simple game to play. When you first play the game, you might think that slowing down is going to help. Check it now — it is free! The shop is not amazing, but it does give you the ability to make some customizations. That is because the controls are really simple actually. The site offer many categories of games , some of them can be played in full screen. There are upgrades as well that help you make it through the various game play achievements. But one thing you should pay close attention to is the beats to the electronic music that is constantly playing. The way you do that is playing the level and reaching the end without getting yourself killed. This must be done without any special upgrades in normal play mode. Geometry Dash Unblocked And using the beat to space out your jumps will make a huge difference. Before you are allowed to share your creations, you first have to prove that succeeding is possible. One portal to look out for that will cause all sorts of problems is the mirror one. This is not just centered around clearing the various levels. Play It Right Here On Our Website. This includes different shapes and colors for your icon, and you might have certain preferences for this. Timing each of the jumps is where the difficulty lies. The trick will be to really get the timing right, and that takes practice and experience. There have been major improvements made to the level editors bringing all of the new obstacles, color changes and objects into play. What Are The Newest features? Visit the website to do this and use their free version checker. But the game play is tough to master right from the first level. The levels are very variable, so you can literally play it for days.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Q: Introductory mathematical books / courses to take before reading Ian Goodfellow: Deep learning I only have a German high school education in mathematics. What mathematical courses/books/concepts would you recommend me to study before reading "deep learning" by Ian Goodfellow? My high school education introduced me to things like vectors, matrices or calculus only on a purely task-based level, but I don't have a formal education in these subjects, meaning I am mostly unfamiliar with their abstract mathematical notations and deeper conceptual backgrounds you would only learn at university. I had a look at this thread: Which course for deep learning? but the questioner already had a better mathematical background as me, it seems. What do I need to understand in the Goodfellow book? I would like to understand deep neural networks on a conceptual as well as a mathematical level. I am not interested in programming. A: I'm going to introduce some of the subjects that you require to know before you can understand deep learning. My list is not exhaustive, of course. But it should cover more than $60\%$ of the math you need to know. I repeat again that this list is supposed to be minimal and once you start learning these topics, you will realize that you need to understand a bit of other things too. But these ones are the core subjects that you should know. Calculus (estimated time: 3 months - 6 months) You need to know calculus well. Most importantly, you need to understand multivariable calculus well because in most problems in machine learning (and neural networks), we're dealing with functions that have many inputs. So, I would say that you need to spend a good amount of time learning about scalar functions, vector functions, gradient, the Hessian matrix, potential functions, Lagrange multipliers, Laplacian, line integrals, Stokes' theorems, etc. Probability theory (estimated time: 3 months - 6 months) Computers are wired to deal with true or false values. However, humans think differently. The thing that enables us to teach computers to imitate how we make decisions is probability theory. You need a basic course in probability theory. At the end, you should understand things like a probability space, an event, probability mass/density functions, conditional probability, expectation, variance, higher order moments, characteristic function, the central limit theorem, Bayesian inference, etc. The fun starts after you understand Bayesian thinking. But that's just the beginning. Then you should try to understand harder stuff like Markov chains, stochastic processes, MCMC methods, etc. Linear algebra (estimated time: 3 months - 6 months) Linear algebra is probably the most powerful subject in mathematics. You can never learn enough linear algebra. In most cases, dealing with functions is difficult. Nonlinear functions are complicated and they can have very weird behavior in general. However, some functions (which turns out to be almost all of the functions that we're interested in) happen to be well approximated by linear functions. This approximation is done in calculus. The derivative of a function is its linear approximation. Also, linear algebra helps us convert our problem to a language that can be implemented easily in computers. Computers know how to manipulate numbers, vectors, matrices or algebraic objects in general. After you study linear algebra, you should be able to understand the following concepts: systems of linear equations, Gaussian elimination, vector spaces, linear independence, spanning sets, bases, linear transformations, kernel, range, rank-nullity theorem, determinants, eigenvalues and eigenvectors, inner product spaces, canonical forms like diagonalization, Jordan normal form, etc. Mathematical Analysis (estimated time: 6 months - 9 months) Mathematical analysis is something that combines your understanding of most of the topics from the subjects above. It helps you understand calculus better. It helps you understand probability theory from a rigorous point of view. And it helps you understand why many of our numerical methods work. After you study mathematical analysis, you should be able to understand the following topics: the field of real numbers, open sets, closed sets, limit points, convergence, compactness, connectedness, completeness, metric spaces, differentiation, integration, Taylor's theorem, functional spaces, Jacobian matrix, Riemann integration, a bit of measure theory, etc.
{ "redpajama_set_name": "RedPajamaStackExchange" }
At Home at Evergreen Cottage: The 100 Mile Challenge: Can You Do it? The 100 Mile Challenge: Can You Do it? Regardless of where you live, there are great artists and great local businesses that sell local products. Here in Freddy Beach (a.k.a. Fredericton) we are blessed with an abundance of great local treasures. So, I started thinking, why not focus my gift giving this year on what I can find made, produced or manufactured within 100 miles of my City. (I even made it easier on myself by making it miles instead of kilometres!) I didn't stop at my gift giving; I challenged my family too! Now, the question is: are you up to taking the 100 Mile Challenge? Can you focus your gift-giving to 100 miles of where you live? To make things a bit easier here are some local products and businesses. I did my best to keep them to the 100 mile limit and checked most, but not all for the distance. I also did my best to find websites or Facebook pages for the list. Unfortunately I could not find all of them. And, thanks to all those that contributed to this list. There are too many to list, but suffice it to say my Facebook friends came through with flying colours when suggesting great product/places. What are your favourites? What would you add to the list? Remember the 100 mile condition. There is Just Something About Fall! Am I Right?
{ "redpajama_set_name": "RedPajamaC4" }
Q: Unable to login to Paypal sandbox DISCLAIMER: This question is specifically for the Paypal forum. I have two Sandbox test accounts. [email protected] (PERSONAL) and [email protected] (BUSINESS). The second one has the API credentials and I am using the NVP API to test our e-commerce subscription plan . The response I get is : 10501: Invalid Configuration This transaction cannot be processed due to an invalid merchant configuration. Occurs when the billing agreement is disabled or inactive. Hence, to activate it, I presume I need to log in with this sandbox account into the sandbox website so as to activate the billing agreement. The steps I follow are pretty basic. * *Login to developers.paypal.com *Click on Applications tab in the horizontal menu *Click on Sandbox accounts in the vertical menu *Click on the specific accounts '[email protected]' dropdown arrow button. *Click on Sandbox site When i click on sandbox site, it loads in the PERSONAL account in the email i.e '[email protected]'. I obviously change this and try to login with the business account credentials. However it does not log me in whatsoever. I have changed the password, literally copy pasted it, but it does not work. Nor does deleting the cookies/clearing the cache and terminating the history help. Also, I am using Chrome, not IE. Also, I presume this error is with Paypal's sandbox website, since the API call is technically logging me in with the credentials (I infer this since I am getting error 10501). Can you please tell me what is going wrong? A: I had an issue similar to that the other day. I was trying to switch from one developer account to another, but it kept logging me in as the first one. So, I couldn't use any of the sandbox accounts for the 2nd account. I circumvented this issue by switching to private browsing mode in chrome (ctrl+shift+N) and logging in that way. I can't guarantee this will fix your issue because it's not the same as mine, but it might help. A: Misplacedme's answer worked for me, but I don't have enough rep yet, so I'll reply and add some info. Chrome: Use an Incognito Window (ctrl+shift+N) Opera: Use a New Private Window (ctrl+shift+N) IE: No need for special window. It works as it used to. Firefox: No need for special window. It works as it used to. Safari: No need for special window. It works as it used to. Note: These are all on a Windows 8 PC (sorry, I know most people in their right mind aren't using win8 much less developers)
{ "redpajama_set_name": "RedPajamaStackExchange" }
Microgrids are organized collections of distributed energy resources (DER) and controls that can operate autonomously (independent of a bulk power grid) when necessary (or always) to provide electrical power. They support resiliency, security, efficiency, local control, and increased access to renewable resources. They can provide reliable power during times when the bulk utility power is unavailable and be leveraged for economic value during grid-tied operations.
{ "redpajama_set_name": "RedPajamaC4" }
These consumer guidelines are intended to guide you through the entire hearing aid journey as you take your first steps in the purchase of appropriate amplification. It represents the most current thinking in the hearing health industry concerning how you should be treated by hearing care professionals and their staff. No matter the educational background or experience of the hearing healthcare professional (HHP) you choose to see, you should expect to be treated with dignity and respect as the HHP focuses on your individual requests and needs. There are five distinct phases of the customer experience as it relates to acquiring hearing aids. For each of the five phases, there is a detailed, step-by-step breakdown of what every customer should expect when they visit a hearing care professional. Consult your family members or friends with hearing loss to determine if they know of a HHP who delivered superior customer service. Make sure they are satisfied with their hearing aids as well as the service. If your friend does not wear their hearing aids ask them why? Consult your family doctor for a referral to a HHP the doctor trusts. Usually a referral will be based on someone the doctor has a professional relationship with in that the doctor has sufficient evidence from his or her patient base that the patient is satisfied with the hearing healthcare received. Check with the better business bureau to determine if the HHP has any complaints filed against them. In most cases, the first contact you will make with a HHP office or clinic will be over the phone. For this reason, you should expect to have a polite and professional experience over the phone. When you place a call to the office of a HHP, the person who answers the phone should offer clear and precise answers to your questions. Because hearing loss varies significantly between individuals, you can expect that some of your questions may not be answered by the receptionist or office assistant. In those cases, you should request to speak to the HHP for a more exact answer. The HHP should be available to take your call upon request, or return your call within a reasonable period of time. Given the variability in hearing loss and technology options, questions about prices and models of hearing aids are extremely difficult to answer in a thorough manner over the phone. In most cases, HHPs are only able to give you precise answers to technology and price questions after a personal consultation. There may be a fee for a consultation. Be sure to ask if there is a fee for an initial consultation or hearing test before you schedule the appointment. If you decide to make an appointment with an HHP, you should not have to wait more than 2 weeks to be seen in their office for a consultation. Be sure, moreover, to ask for driving directions, if you do not know how to get to the office. Office hours should be flexible and meet your needs. If you decide that you simply want information, and do not wish to schedule an appointment, the office should be willing to mail you information on hearing loss and treatment options. If they don't have information they can mail you, ask them about some useful educational websites such as the Better Hearing Institute. Exceptional hearing care professionals pride themselves on meticulous attention to detail and taking the time to know you as a person. Before you actually get a hearing test, there are a few steps you will need to go through with the HHP. These steps are necessary as they help the HHP get to know your unique needs and medical history. You should expect a warm and friendly greeting by the office staff. Even though you may feel anxious about your appointment, the office should make you feel welcome. Educational material (brochures, etc.) about hearing loss and treatment options should be readily available in the reception area or upon request. The information should be current. The reception area should be clean, organized and inviting. There should be comfortable chairs. It must be handicap accessible. You should not have to wait more than 15 minutes to see the HHP, unless you have been advised otherwise. You likely will have to complete some forms asking for your name and signature. These forms are required by some government and third party insurance companies. The forms are designed to protect your privacy and inform you of your rights as a patient. The HHP professional needs to invest a significant amount of time getting to know not only you personally, but also classifying the type and degree of hearing loss you have. Your first visit should be a combination of in-depth conversation with the HHP about your communication needs, along with some objective medical-type tests that identify the extent of a possible hearing loss. Companion. A significant other or a companion should accompany you to the first appointment. The first appointment will be very educational because you will discuss many aspects of hearing loss and treatment options. Having another person you trust accompany you can ease anxiety and make it a more comfortable experience for you. In many offices, the familiar voice of the companion will be used for hearing aid demonstration purposes. Medical History. The HHP should complete a detailed medical case history with you personally in a private examination room. More than likely, the HHP will ask you questions about your ears, hearing ability and current communication situation. Communication Assessment. An individualized and detailed assessment of your current communication ability should be conducted by the HHP as it relates to your individual lifestyle and hearing needs. Counseling. The HHP may provide comprehensive counseling that focuses on the underlying emotions of adult hearing loss. The HHP should allow you to express your feelings about your hearing loss and communication without pressure or presumption. At times, the HHP may refer you to a psychologist, especially where unresolved feelings of shame, guilt, and anger could interfere with your treatment. You should expect to receive a thorough and detailed auditory assessment (hearing test). There is often a charge for this assessment. It is sometimes covered by insurance. Be sure to ask before the test begins, if you are not sure. Ear Inspection.Prior to an auditory assessment the HHP should thoroughly inspect your ears to make sure you do not have a medical condition or wax buildup in your ears. Pure tone audiometry measuring your hearing sensitivity in each ear. Loudness discomfort level testing utilizing tones to assess your tolerance of loud sounds. Review Tests. Review the results of the comprehensive battery of tests you just completed in language that you understand. The explanation should include type and degree of hearing loss, and a summary of possible treatment options based on these results. Feel free to ask questions at any time. The results of these tests may indicate that you need to see a physician specializing in diseases of the ear (ENT doctor). Education. Information on the consequences of untreated hearing loss and your current treatment options. The HHP should be able to share specific research findings as they relate to untreated hearing loss and treatment options (hearing aids, etc.) in clear language. This education could be in the form of a book or brochure, published article, fact sheet, or educational video. Demonstration. A live demonstration of modern digital hearing aids may be offered to you. The demonstration should be conducted with noise in the background, so you can experience how hearing aids perform in realistic situations. Some HHPs are able to simulate how you hear with and without the hearing aids in what's called a simulated sound field. By all means, ask for this simulation for it is truly enlightening to your significant other to understand how you hear the world. It also gives you a decent demonstration of what to expect from the hearing aids. With modern computers most HHPs should be able to simulate how you will hear with hearing aids in many listening situations such as in a place of worship, noisy restaurant, at a cocktail party or in a car. No Pressure Situation. You should never feel pressured to buy or make an immediate decision. Be sure to freely ask any questions that will help you make an informed decision. If you decide not to pursue amplification at the end of the first appointment, the HHP will give you additional educational material and a precise price quote upon request. You should receive a copy of your test if you wish to show to your doctor or for your records. Hearing Aid Styles. The HHP should review in considerable detail the styles and features of modern hearing aids and how they will potentially benefit you in everyday listening situations that are important to you. A description of hearing aid technology and styles is available on the BHI website. Part of this presentation should include the advantages and disadvantages of each style and feature options in relation to your communication needs, lifestyle, etc. Clinical Evidence. During the explanation of technology options, the HHP should be able to review clinical evidence supporting their claims and recommendations. If you wish, ask for clinical evidence supporting their recommendations. One or Two. Part of the discussion you will have with the HHP revolves around using one or two hearing aids. Generally speaking, if you have a hearing loss in both ears, research indicates that two hearing aids work better than only one. When you are fitted with two instruments it is called a binaural fitting. Your HHP should be able to review with you the advantages of a binaural fitting compared to a monaural (one ear only) fitting. In most instances, two ears are better than one and there is a significant amount of literature to substantiate that claim. See the binaural advantage on the BHI website for more information. Recommendations. The HHP should provide you with clear and concise treatment recommendations, allowing you to make an informed decision. The HHP will provide at no cost a professionally written assessment for your family doctor detailing your hearing loss and their recommendations. Financial Issues. The HHP should present to you clear and easily understood pricing options as well as financing options. Pricing varies due to style and technology and can range anywhere from approximately $700 to $3000 per hearing aid. The price differences should be explained to you thoroughly. If you purchase hearing aids, the HHP or office assistant should check to see if you have insurance benefits that partially cover part of the expense. Be sure to ask if hearing aids are a covered medical benefit before agreeing to purchase them. You may find that you can get financial assistance for your hearing aids. See the BHI's Your Guide to Financial Assistance for possible sources of financial assistance. Ear Molds. If you decide to pursue hearing aids, the HHP will take a mold or cast of your ear. The mold allows the hearing aid manufacturer to customize the hearing aid or ear mold to your ears. This procedure will take 5 to 10 minutes and in few cases, may cause minimal discomfort. If you are purchasing a mini-behind-the-ear device with a thin tube this step will not be necessary. An ear mold will be required if you purchase completely-in-the canal (CIC), in-the-ear (ITE), in-the-canal (ITC), or larger behind-the-ear models. Medical Waiver. The HHP will ask you to sign a medical waiver or to see a physician for medical clearance before fitting you with hearing aids. While seeing your physician to get authorization before using hearing aids is never a bad idea, it is not always necessary. Rely on the expert advice of the HHP, if you feel comfortable with him or her. Purchase Agreement. Before leaving the first appointment you should have a signed copy of a purchase agreement or contract that outlines what you are buying (model and make of hearing aids), price, trial period, any non-refundable fees as well as warranty on the hearing aids. When you leave the first appointment you should feel comfortable with the HHP and the entire office experience. The first appointment may take an hour or more, so you should never feel rushed or hurried. Don't be afraid to ask questions – even after you get home from the appointment. Fitting Time Frame. You can expect the initial hearing aid fitting to last between 60 and 90 minutes. Orientation. A thorough orientation to the care, use, maintenance and expectations regarding initial hearing aid use. This orientation should take at least 45 minutes, possibly longer. Be sure to feel comfortable getting the hearing aids in and out of your ears. Wearing Schedule. If you are a new hearing aid wearer, you should be given a detailed wearing schedule that outlines approximately how long and where you should wear your hearing aids the first week or two. It takes your brain a little time to get rewired with hearing aids, especially if you have had a hearing loss for several years. Experienced wearers may not need an adjustment period unless the technology is radically different from what they had in the past. Hearing Aids are Fit Prescriptively. This means that the loudness and other characteristics of the hearing aid is determined by a thoroughly researched formula incorporating your individual test results and entered into a computer. This prescriptive formula has been shown to be a reasonable starting point for the vast majority of hearing aid users. Don't be surprised if that initial starting point sounds a little loud or abrasive. Remember you are hearing a lot of sounds you could not hear for many years. It is advisable to follow the recommendations of the HHP when dealing with initial discomfort and annoyance associated with early use of new hearing aids. Be patient. However, never accept hearing aids which are uncomfortably loud. If they are uncomfortable, communicate this to the HHP who has the ability to turn down the gain. Verification. Your HHP should verify the quality of the fit by conducting an automated test called a real ear or probe microphone measure. This measure may use actual speech or a calibrated tone. This measure will ensure the hearing aid has been customized to your hearing loss and ears. Additionally, this measure can be used by the HHP to demonstrate to you how certain advanced features, like directional microphones, digital noise reduction, and automatic feedback reduction work. Since these advanced features contribute to the cost of the instruments, don't be afraid to ask the HHP to demonstrate how these features work in your hearing aids. They can be demonstrated rather easily with probe microphone measures during the initial fitting. Batteries. You should be given an ample supply of batteries and instructed on how they are to be changed and discarded. Some HHP bundle the cost of life-time batteries in their purchase price. Care and Maintenance. You should be given an instruction booklet, cleaning tool, and something to store the hearing aids when not in use. Satisfaction Guaranteed. The HHP should be able to answer your questions, offer reassurance and guidance during all aspects of this appointment. If during the appointment your hearing aids do not fit well or sound wrong tell the HHP so that adjustments can be made prior to the start of your 30 day trial date. Timely Follow-up. Because getting used to hearing aids can be demanding (there is a lot to learn), the HHP should give you a phone call 1 to 2 days after the fitting to see how you are doing. Don't be afraid to make a personal visit to the HHP right away if you need immediate help or further instruction. You will find that the vast majority of HHPs are willing to see you right away for a check-up appointment, if you are struggling or feel frustrated. Buying hearing aids from the HHP is the first step in a successful hearing improvement journey. The service you receive after the initial purchase is extremely important. You will need to make sure that you get the most out of your investment of new hearing aids, by getting them serviced when needed. Part of the service provided should include periodic hearing tests, hearing aid cleanings and fine tuning adjustments of the instruments. In some cases there may be a charge for these important professional services. As usual, it is important to ask the HHP about out-of-pocket expenses you may incur throughout the life of the hearing aids before purchasing the hearing aids; it is best to get these post-purchase services in writing prior to purchase. Acclimatization. Years of clinical research suggest that it takes the typical user of hearing aids about 30 days to get adjusted to amplified sound and to realize maximum benefit. Of course, individual results will vary, so it is up to you to communicate your progress to the HHP and provide a detailed report of your initial experience with amplification. Outcome Measures. In order to demonstrate to you that the hearing aids are actually benefiting you in the places you need them, the HHP should systematically measure your progress. These are commonly called outcome measures. Outcome measures should occur 14 to 45 days following the initial hearing aid fitting. These measures will tell you how much benefit you are receiving. Generally, there are two ways the HHP can assess your outcome or progress. Both types of outcome measures should be employed by the HHP to ensure you are getting the most out of your investment. Ask for objective evidence of the utility from your hearing aid which has been programmed to your unique hearing loss. This means you should receive test results of how you hear with and without the hearing aids preferably in quiet and noise. These results should be shared with your family physician. Objective Assessment. The first type of outcome measure is called a laboratory assessment. This is generally a procedure in which the HHP compares your ability to hear with hearing aids to the unaided condition (without hearing aids). This will demonstrate to you in a sort of "snapshot" manner how much the hearing aids are benefiting you. Either tones or speech in noise can be used as laboratory measures of your progress with hearing aids. Subjective Assessment. The second way that the HHP may assess your progress with hearing aids is through the use of questionnaires. Theses are questions that the HHP should ask you about how the hearing aids are impacting your overall quality of life after you have begun wearing aids. This assessment can be in writing, by computer or through an interview. Customer Satisfaction Survey. A third way of measuring your progress is a straight-forward customer satisfaction survey. These surveys normally cover your attitudes about the hearing aid including its features and your perceptions of the ability of the hearing aid to meet your needs in various listening situations. Customer Service Survey. The HHP should also ask you to complete a questionnaire that addresses the quality of the service you received from the office. The vast majority of HHPs want to improve their service any way they can, and your responses on the questionnaire are valuable. If they do not assess customer service please tell them how to improve their service. Aural Rehabilitation. It's important to remember that hearing aids don't make you a more effective listener. In some cases, you will be offered hearing and communication exercises, commonly called auditory training or aural rehabilitation as well as communication strategies for optimizing use of your hearing aids. Today, some auditory training can be done at home with a personal computer. Research has shown these auditory training exercises to be extremely beneficial at getting the most out of your hearing aids. Be sure to ask your HHP what auditory training exercises are right for you. Group Counseling and Education. Many HHP combine all aspects of hearing aid counseling, aural rehabilitation, communication strategies, effective listening, assistive listening devices, care and maintenance, etc into multiple group sessions where the spouse or significant other is invited. Some of these group sessions can take 3 or more hours over the first few months of the hearing aid fitting. If these are offered attend the sessions. If you are unable to attend a particular session inquire about make-up sessions. Patience and Persistence. It may take more than a few visits to the HHP to get your hearing aids fine tuned. If that happens to you, be patient and work with your HHP to "get it right." Be aware that changing hearing aids, while possible, doesn't always translate into instant success. Many hearing aid users expect satisfactory results to occur in a short period of time. This can be achieved by patients who make an effort and follow the HHP's prescribed treatment plan and advice. Ear Wax Management. After you have given your ears and brain a few weeks to get acclimated to new hearing aids, they should be worn every day for several hours each day. Because they are worn in a very humid ear canal that often contains large amounts of cerumen (ear wax) hearing aids must be cleaned every day. This is very important. Your HHP should not only show you how to clean your devices, he or she should review some sundry products that will prolong the life of your hearing aids. Life of Hearing Aids. Today's hearing aids should last about 3-5 years before needing to be replaced, possibly longer if you are meticulous about taking care for them. Warranties. New hearing aids have between a 1 and 3 year limited warranty. You may wish to purchase a longer warranty. The decision to purchase an extended warranty should be discussed with your HHP. Hearing Aid Insurance. Hearing aid warranties may not cover lost hearing aids or damage to the hearing aids not due to the manufacturer. Because of their size, hearing aids are easy to lose. Discuss with your HHP how you can insure your hearing aids against loss and damage. Typically new hearing aids are insured by the manufacturer even against loss for the first year. Be sure to find out the details of your policy from the HHP. Periodic Check-ups. Because your hearing can change and problems to the instrumentation can occur without you knowing it, you should schedule periodic check-ups with your HHP. These check-ups should occur 2 to 4 times per year, and usually include cleaning and fine-tuning the devices. Ask your HHP if there is a charge for these periodic check-up appointments. Most HHP bundle the first year or two of follow-up visits into the cost of the hearing aid. You have to aggressively communicate on an ongoing basis with the HHP regarding needs, wants, desires, expectations and disappointments. Some people give up without really trying and place their hearing aids in the drawer. Give your hearing aids a chance and work with your HHP to assure that you have derived maximum benefit given your degree of hearing loss. If you are unable to articulate your needs and desires by all means bring an advocate who can articulate your needs such as a spouse, adult child, or friend. See Getting The Most out of Your Hearing aids on the BHI website. You should read all material given to you by the HHP and become familiar with the technology. If the HHP recommends auditory training, counseling, psychotherapy, wearing schedules, or group educational sessions then the consumer must actively participate. Passive participation is the road to failure. The HHP may recommend additional assistive listening devices to supplement your hearing aids and it is within the consumer's budget, by all means purchase and use this technology. See our write-up on assistive listening devices on the BHI website. It is vital that consumers have realistic expectations of the benefit expected from their hearing aids to avoid disappointment. One should not form expectations of the ability to hear based on the experience of a friend. Remember, no two hearing losses are the same. See Realistic Expectations on the BHI website for more information. participation we are confident that you can be a successful hearing aid user. But remember in Discovering a World of Better Hearing it takes an active partnership between you, your family members and the HHP to assure hearing technology is best optimized for your unique hearing loss.
{ "redpajama_set_name": "RedPajamaC4" }
Cfwc Awards 5000 Grant To Young Professionals Group CFWC Awards $5,000 Grant to Young Professionals Group WABASH COUNTY, IN – Grow Wabash County and the Young Professionals of Wabash County (YPWC) steering committee are thrilled to be partnering with Community Foundation of Wabash County (CFWC) to launch an exciting slate of events throughout 2022. YPWC is a member-driven group that provides a platform for young professionals and emerging leaders to connect in meaningful ways with both each other and the Wabash County community. The group is free to join and the intent is to help young professionals that live or work around Wabash County find meaningful connections while giving back to the community. The ultimate goal is to encourage young professionals to continue to live, work and serve in the Wabash County community for years to come. Thanks to the grant awarded from CFWC, the Young Professionals will be able to focus on creating intentional connection between peers as well as community groups and organizations through social, educational and philanthropic events monthly throughout 2022. "The YPWC steering committee is extremely grateful for the Community Foundation of Wabash County's support in helping this group focus on meaningful connections for these next generation of leaders and we can't wait to meet and connect young professions throughout 2022," stated Tenille Zartman, chair of the volunteer committee. Young Professionals interested in learning more about the upcoming slate of events scheduled for 2022 should follow various social channels including its Facebook page @YPWabashCounty, its Instagram page @YPofWabashCounty and signup for the monthly email newsletter. To subscribe to receive these regular email updates, visit www.growwabashcounty.com/yp. Groups Recover Together invites Wabash County Community to Open House WABASH COUNTY, IN – Grow Wabash County is thrilled to be giving one of its newest investors, Groups Recover Together, a warm welcome to the community with a ribbon cutting and open house on Friday, Nov. 19 from 11 a.m. – 2 p.m. Groups Recover Together seeks to provide outpatient treatmen...Continue Reading Grow Wabash County Gift Checks Spark Shopping Local WABASH COUNTY, IN – Grow Wabash County is encouraging everyone to shop local this holiday season by purchasing Grow Wabash County gift checks which can be used at almost 300 local businesses and organizations in and around Wabash County. Grow Wabash County gift checks (formerly known as Chamber Gift Checks prio...Continue Reading Imagine One 85 Comprehensive Planning Process Nears Completion WABASH COUNTY, IN – Today, the Leadership Committee of Imagine One 85—a countywide process to develop a comprehensive plan—announced encouraging news about the plan's progress. "We've moved from the development phase to the review phase," said Keith Gillenwater, President & CEO at Grow Wabash County. "From here, we look forward t...Continue Reading
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Avios offers South Africans a credit card that offer Avios rewards that are practical and can actually be redeemed in a useful way - probably one of the many reasons we were voted to have the best rewards programme in the country. Avios credit cards are issued by ABSA Bank and can be applied for in-branch. Avios is an internationally recognized currency that offer credit card holder rewards that can be redeemed for travel products and airline tickets both nationally and internationally. With Avios you get double points for any cash spent at select retailers and fuel stations. What's more is that Avios don't expire! Avois offer a unique credit card that rewards you for your everyday shopping and spending - including fuel which is typically not included in most rewards prrogrammes. You can easily redeem Avios to buy plane tickets - either domestically or internationally or for purchasing a variety of travel products and services. At Avios we believe that everyone deserves the occasional holiday and strive to make it as easy and affordable for our loyal Avios card holders. The credit limit that you will be offered is dependent on your individual credit profile and you will automatically qualify for the standard Avios credit card benefits which include secondary cards, budget facilities, travel insurance and more. In order to qualify for an Avios credit card you will have to have a monthly income of R8,000 or more, be aged over 18, be a RSA citizen, permanent resident or work permit holder and be able to provide us with the necessary supporting documentation by fax, email or courier. You may not be undergoing debt counselling or have a bad credit history. You can apply for an Avios credit card at any ABSA Bank nationwide. ABSA Bank will process all Avios credit card applications and will contact you to help you complete your loan application should you apply online through our website.
{ "redpajama_set_name": "RedPajamaC4" }
Priority Recruitment are working with one of the fastest growing fitness chains in the World with over 1000's of clubs worldwide, looking for a highly motivated individual for the role of Membership Advisor in a brand new site. The club is a 24/7 operation and you will be expected to work a flexible working week which may include shift patterns and weekends. Driving your own sales cycle to maximise new member engagement & sign up. Managing your sales pipeline proactively to hit your sales/commission targets. Experience in a fast pace sales focussed role with a history of hitting targets. A competitive nature and be motivated by money, a self-starter with high-energy. Motivation and drive to hit demanding sales targets. Enjoy working both in & out of the club confines. A natural ablity to communicate and empathise with people. Development opportunities will be available for those that earn them.
{ "redpajama_set_name": "RedPajamaC4" }
Solar Monitoring Residential Solar Power Commercial Solar Power LG Electronics Australia Supports Bushfire Relief Efforts Author: SEM Group Australia Published on: February 27, 2020 Published in: Solar News The company will donate $500,000 to WIRES Wildlife Relief Fund and hosted LG Twins baseball exhibition match and fan event to further support the cause via a fundraising drive In photo from left to right: Mr. Dan Lim, Managing Director of LG Electronics Australia; Jenn Rhodes, WIRES Australia representative; Mr. Ryu, LG Twins Director ; Mark Marino, CEO of Baseball New South Wales; Stephan Bali, MP for Blacktown SYDNEY, 26 February 2020 — LG Electronics Australia today announced the company is donating $500,000 to help with animal conservation efforts. The donation follows the disastrous bushfires that impacted the country and its wildlife earlier this year. The recent bushfires have impacted the lives of thousands of Australians, businesses and dozens of towns throughout the country. An estimated one billion native animals were also killed during the bushfires and more than 11 million hectares of habitat — an area comparable to the size of South Korea — has been affected across all states and territories. The donation by LG Electronics Australia will significantly bolster the emergency 'WIRES Wildlife Relief Fund' for frontline wildlife rescue and volunteer groups. The fund provides immediate assistance to cover the costs associated with the rescue and care of animals affected by fire, drought and extreme weather conditions. The LG donation will increase funds available for donation to $1.5 million. Licensed rescue groups and carers licensed as individuals can apply for funds to cover the costs of animal food, medical supplies, veterinary needs and equipment. Mr. Dan Lim, Managing Director of LG Electronics Australia said, "The Australian bushfires were an unprecedented disaster and one that has deeply affected LG Electronics, our staff and partners. The work being undertaken by WIRES is extremely important to us. It pains us to see the devastation that has occurred. "LG Electronics is also looking at other ways in which we can actively and positively help groups such as WIRES and these communities affected by bushfires. We hope to make further announcements in the near future." LG Electronics announced it will also match dollar-for-dollar any employee donation made to WIRES as part of its ongoing employee engagement program. LG Twins baseball team join bushfire rescue efforts Meanwhile, the LG Twins baseball team, currently training in Australia for their summer camp, hosted a fan meeting event on 22nd February ahead of an exhibition match. Prior to the game, fans had a chance to meet the players, snap photos and receive signatures. The LG Twins play in the South Korean national league and are one of the most-followed teams in South Korea — with an estimated fan base of more than one million people. All money raised from the exhibition match will also be donated to WIRES for animal rehabilitation and habitat conservation programs. The fan event and exhibition game was held at Blacktown International Sports Park, Eastern Road, Rooty Hill. Mr. Dan Lim announced LG Electronics Australia's donation of $500,000 to WIRES at this event. For more information please visit LG Electronics Australia at www.lg.com/au/. Previous Article Previous Article Have we over-invested in renewable energy? Next Article Next Article NT Government announces $60 million coronavirus stimulus package Water and Bore Bumps Homeowners and businesses across the nation choose SEM Group for great products, competitive pricing and innovative energy systems. With us you're guaranteed a smooth and seamless process, clear communication and unparalleled customer service, forever. Get a Quote Get in Touch 2020 © Built on Maker Street Committed to a greener world Lead Source (Internal)* Services Required Roofing/Wall-Cladding Please select all that apply When are you looking to buy? When are you looking to buy?ImmediatelyWithin 1 monthWithin 3 monthsWithin 12 months Spam Checker* Please enter a number from 0 to 13. We value your privacy and hate spam too. By submitting this form you are agreeing to allow us to follow up with you regarding your home solar enquiry.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Sell your classic Manage your ads Scams and frauds Classifieds » Classicmobilia Classicmobilia Location: Milton Keynes, United Kingdom Visit Dealer Website » or 07889805432 1-20 of 38 results found Newest with images first Date added (newest first) Price high to low Price low to high Name A-Z Name Z-A Mileage Random Year (Newest First) Year (Oldest First) Modified date 20 50 100 HEALEY WOODIE ESTATE (1948) Healeys production records indicate that some 123 were sold purely as rolling chassis with a whole range of different bodies fitted. Most were English and included saloons, tourers, and even station wagons or shooting brakes as the British like ... ASTON MARTIN VIRAGE VIRAGE LIMITED EDITION (1994) ASTON MARTIN VIRAGE VIRAGE ... (1994) Aston Martin had never used the name Limited Edition before and first used it with the run out of Virages and prior to the launch of the V8 coupe. With nine un-sold chassis and Aston Martin needing a car to display for the 1994 British Internation... ASTON MARTIN VIRAGE COUPE 1990 (1990) ASTON MARTIN VIRAGE COUPE ... (1990) The Aston Martin Virage is an automobile produced by British luxury automobile manufacturer Aston Martin as a replacement for its V8 models. Introduced at the Birmingham Motor Show in 1988,[2] it was joined by the high-performance Vantage in 1993,... LANCIA DILAMBDA SALOON (1931) We have here a historically important and spectacular survivor in an original and unchanged condition. An expensive car of obviously high quality It is recorded that only approximately 1104 of these vehicles were produced of which only a handful... DELAUNAY BELLEVILLE (1911) 1906 – 08 Delaunay Belleville HB4Phaeton 24cv Chassis number: 4979V Coachwork: Phaeton Tourer Registration Number: M H 12 (current Spanish de-registered 2014. ) Engine Number: 4979V The French Delaunay-Belleville was an internationally coveted... JAGUAR MK IV (1949) JAGUAR MARK IV BERLINA MANUFACTURED 1948 6 CYLINDER 3500CC TOTAL NUMBER PRODUCED 254 LHD. The one to have! The first model to be produced under the Jaguar badge following the transcendence from Swallow Sidecars (SS Jaguars). The model was pr... ASTON MARTIN DBS 1970 (1970) This Aston Martin DBS is an ideal opportunity to own a desirable and known to strengthen in value year on year no matter how the market is performing. Barn find example, purchased by the owner in May 2003 when the car was in prime condition an... JENSEN INTERCEPTOR MKIII (1973) The Jensen Interceptor is a Grand touring car that was hand-built at the Kelvin Way Factory in West Bromwich, near Birmingham in England, by Jensen Motors between 1966 and 1976. The Interceptor name had been used previously by Jensen for the J... CHEVROLET DELUXE 1951 (1951) This 1951 Chevrolet Deluxe was purchased from the first owner in Minnesota USA with less than 9,000 miles. The car was shipped to the UK in 1994 and locked in a garage for 25 years. The car was completely re-commissioned and MOTed and is one o... Volvo 164E (1973) The six-cylinder luxury saloon from Volvo was launched at the Geneve Salon exactly 50 years ago in 1968. 111 Alpine Blue metallic colour and 959-861 black leather interior. Rare items include original fully working Volvo radio, original half-m... Healey Silverstone Mille Miglia Eligible (1949) Healey Silverstone Mille Mi... (1949) The Healey Silverstone was the most famous of the Healey family entering many races, rallies and hill climb in its era. With 105 units made between July 19549 and September 1950, it was made up of 51 d models and 53 E Models, the E having the sl... ASTON MARTIN VIRAGE VIRAGE 1990 (1990) First public launch was at the 1988 Birmingham International Motor Show; the Aston Martin Virage succeeded the previous generation of V8 models coach built cars from the Aston Martin Lagonda factory at Newport Pagnell. Although still construct... Jensen FF MKII (1970) ENSEN FF Mark 11 1970 SERIES 2 6.276 LITRE AUTOMATIC MANUFACTURED 1970 DESPATCHED 11th APRIL 1970. Chassis Number 127/232 Production numbers 110 models. Interceptors now are gaining the appreciation they have long deserved. The FF, being the p... ASTON MARTIN DB MKIII DROPHEAD (2016) This beautiful 1958 Aston Martin DB MK III, is one of 84 cars made and even less in left-hand drive format as this one is. Finished in dark blue paint with black mohair hood and black leather trim, just an outstanding car. Supplied new by US I... ASTON MARTIN V8 VANTAGE V600 Manual 1998 (1998) ASTON MARTIN V8 VANTAGE V6... (1998) One of the most outstanding Aston Martin V8 Vantage's V600 cars on the road today, with every available option, fitted. ASTON MARTIN V8 VOLANTE (1982) Aston Martin V8 Volante to PoW Specification. The Aston Martin V8 Volante was first launched in June 1978 and would run until 1989, with the series one from 78 until 1984, the Vantage being introduced in November 1984 and the Prince of Wales in ... ASTON MARTIN 15/98 SPORTS TOURER (1938) ASTON MARTIN 15/98 SPORTS T... (1938) 1938 Aston Martin 2.0-Litre 15/98 Sports Tourer Coachwork by Abbey Coachworks Ltd Chassis no. D8/872/SO Manufactured by Robert Bamford and Lionel Martin, the first Aston-Martins (the hyphen is correct for the period) rapidly established a reputati... ASTON MARTIN DB6 1968 (1968) The Aston Martin was launched at the London Motor Show in October 1965, a direct development of the DB5 and featured improved aerodynamics and a more generous specification. Powered by the same 4.0-liter DOHC 'straight-six' Aston Martin engine, ... ASTON MARTIN DB6 (1968) Very original right hand drive manual Aston Martin DB6, just ready to drive. The Aston Martin DB6 is such a stylish motorcar, easy to drive comfortable and quick for its day, a true four-seater sports car. Hand-built at the Aston Martin factory ... NASH HEALEY by PANELCRAFT ROADSTER (1950) NASH HEALEY by PANELCRAFT R... (1950) As a result of a chance meeting between Donald Healey and George Mason CEO of the Nash Corporation, a mating of the Nash 6 cylinder engine and the Healey chassis resulted in the Nash Healey, 104 Panel Craft Nash Healey's were built, and Donald ent... My Account » Go to my saved searches
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
​"Laura is easy to talk to, and a good listener. I started training with Laura to get fit and lose some weight - I have lost 6kg since May! Really happy with what Laura does, keep coming!!" "Laura keeps a lovely chilled and calm atmosphere and makes sure everyone gets shared attention and pointers. I feel much more flexible now and sleep so well after Pilates" I offer a Premium Mobile Personal Training service in Southampton that specialises in long term fat loss/lifestyle change for health. No fads or quick fixes, but I can offer you a friendly helping hand to motivate you to be in the best health you can be - if you will let me. The benefits of being active and eating well are endless and don't just stop with transforming your physical health but can also greatly improve your mental/emotional wellbeing, you can expect increased energy and mobility and, of course weight loss and improved muscle tone/definition (depending on your goals). The overall aim is for you to eventually become self motivated, with increased confidence in your ability to make exercise and healthy eating a part of your life forever*! ​​"I am so pleased to have found someone to make personal training actually fun! Laura and I chat through our sessions while she quietly steps up the intensity so that I hardly notice I am exercising until she gently reminds me how far I have come. I am a naturally lazy person so frequently consider cancelling sessions, but find that I don't want to because I am looking forward to having a chat! The exercise slides in effortlessly and I definitely see the difference not just in my measurements but also my fitness levels. Laura is so approachable and so realistic. She has turned what was a fruitless cycle of exercising and dieting into something sustainable." "I started the early morning metobolic training sessions about 6 weeks ago and would probably always go now. It's hard getting up early in the mornings (especially with young children that don't sleep) but once I'm up and out, it sets me up for the day and I feel more awake than if I had slept in! I feel so much more motivated to do things for the rest of the day, I've started sleeping better at night and have started to lose a few pounds week by week as well as gained muscle. The training itself isn't too strenuous but really gets a sweat on and gets you going with the short spouts of exercises. The music is good and lively and there is a good variety of exercises each time. Overall, a great way to train with a great trainer!!!"
{ "redpajama_set_name": "RedPajamaC4" }
Now that the summer is over…. My daughter and Waffles at home this weekend. My world is a little less crazy in September than it was in August. Of course, it's only September 2nd. But, I haven't left our desert in more than a week. The last two weeks of August, I trekked from Palm Springs to Santa Barbara to Phoenix—and my daughter and husband threw in a trip to Salt Lake City in between. I was supposed to help my daughter set up her new home in Arizona this Labor Day weekend, but after my husband's shoulder surgery Tuesday, I postponed my trip. A friend lectured me about leaving my husband alone after surgery. She said that my daughter should drive home to help us out—not me drive to see her. "After all, the new house isn't going anywhere, she can get by with slowly unpacking, and you can help her at a later date," she said. My husband did need attention, just a little, and my daughter happily agreed to come home for the weekend. It's only a short drive from the Phoenix area to Palm Springs. Four hours to be exact on one freeway—"the 10." In So Cal, we say "the" in front of every highway. They don't do that in NorCal or Washington, where I grew up. My son lived four hours away in Santa Barbara, which is in the opposite direction of Arizona. In the words of a native Southern Californian to drive from Palm Springs to UCSB, "you take the 10 to the 210 to the 118 to the 23 to the 101." I feel so much more comfortable with the drive to Arizona on "the 10." Period. Except for the big trucks, which I don't like, it's a one-shot deal. I hope to get there soon to help her set up her new home. I'm also anxious to get a fresh start to the fall. I'm relieved we made it through so many hurdles. Vacation, the move, the surgery, etc. are all behind us in the rearview mirror. It's time to look ahead. Olive the cat seems to have survived another few days with Waffles. What do you think about the end of summer and the start of fall? Our first Thanksgiving without our kids. I'm thankful they are with dear friends and their families since they weren't able to make the trek home this year. Instead of moping around the house feeling sorry about my empty nest, we're celebrating with our close friends. It was 30 years to the day that I first met them (my husband met them through work) and we spent Thanksgiving weekend sailing with them in Santa Barbara. Here's to friends and family and creating memories together. My daughter's swim team sending out a Thanksgiving message with her pup. Who are you sharing your Thanksgiving with? What traditions do you share with friends and family? Waffles on our morning beach walk. I was stressed the day we left for vacation. Had I packed everything we needed? VRBO disappointed me. The condo was way smaller than it looked online. I didn't realize there was only one window that looked out into a parking lot and no ocean breeze because it was on the wrong side of the building. After three days, I relaxed. We aren't moving into the condo for good. It's only a week and we can make the best of it. With my glass half full, I can say it's clean, comfortable and we love the location a block from the beach. The marina in Santa Barbara. We are outside every day enjoying the fresh air. It's such a big deal to be out of the AC of home where it's 115 degrees and more. Sailing was exhilarating, breathtaking and yes—filled with fresh air. We love Carpinteria because of friends. Dinners al fresco, walks along the beach at sunset, and swimming are all better with friends. We're fortunate to have best friends who love to entertain and cook for us. We're even more fortunate they didn't get tired of us after a week. Morning beach walks are the best. They're better than my walk around the neighborhood and park at home. Waffles the pug loved his beach time and playing with new friends. I loved having my daughter join us for vacation. I hope it's a tradition she continues for years to come. Swimming helped me relax. After swimming masters with my friend and her daughter as a coach, I felt good for the rest of the day. Why don't we live in Carpinteria? Why was our vacation so short? On the lookout for Humpback Whales. Sunday was a perfect day for sailing. I went with my daughter, who's home from college for a short break, and our friends—who own a sailboat. They live near Santa Barbara, and as an Aussie, Rob sails in and out of his slip at the marina, and the first time I went sailing with them, we were in a regatta. So, he's very good at sailing. I'm a fair weather sailor. I like a gentle breeze, sunshine, and no waves. The weather was perfect. We watched as 14-footers raced, brightly-colored spinnakers hoisted, gliding over a glossy sea. A couple of the 14 footers with spinnakers racing by. Then, we spotted a dolphin. Then tens of dolphins. Soon the boat was sailing with dolphins leaping all around. Several were playing and cruising along the bow. There were dolphins leaping in all directions, tens upon dozens of them everywhere! Then they slowed down and turned around. We watched pelicans and gulls dive into the ocean. Then–the spray of a whale blowing. The broad humped back, then the tail. WOW! We all yelled together. Soon we spotted whale number two. Then three. We were being treated to a pod of humpback whales. We spent the next several hours on the lookout for whales. After the tail goes straight up the whale dives. It was incredible to hear their loud gasp for air as they filled their lungs with oxygen before their dive. They hold their breath and stay submerged for at at least five to ten minutes. We would wait patiently, scanning the sea for a sign of the blow, and the back breaking the surface. What a truly amazing day. How sad I was the following day to hear about the oil spill. Here are more dolphin photos. These are from my friends with the sailboat on a recent sail they had from Santa Barbara to the islands. How I wish I had been there. Dolphins having fun with the boat. Two dolphins at the bow. Photo by Debbie Gardiner. Reflections during sunset at the Santa Barbara marina. Here are the latest photos from my friends from their June sail to "the islands." Photos by Debbie Gardiner. We were caught in a whirlwind of activities and travel, running away from our empty nest. We went to the beach, Mexico, Utah, Las Vegas, Santa Barbara and Utah in that order in the past two months. Wheew!!! It makes my head dizzy to think about it. Now that we have stopped running, I'm anxious to start some big projects. Emptying out the guest room and redoing the bathroom and walls. The first part of this project means I have to go through boxes and closets and books and make decisions about what to toss and what to keep. We have an armoire with a BIG TV and VCR and drawers full of movies that entertained the kids for years. I feel somewhat sad about tossing out all the Disney classics, but they're never going to be watched on a VCR again. I have shelves of books that have followed me from childhood. The complete set of Anne books and Narnia Chronicles I will keep. I still enjoy reading them. I'm holding on to A Little Princess and The Secret Garden, too. I think my husband wants me to get rid of them all, but they are like dear friends that I cannot part with. I keep avoiding this chore of going through the "guest room" which at one point in our 22 years here, was called the "computer room" because before kids in 1992 it was where my first Apple computer lived. Now I'm on about Apple number nine, wanting to return to work in my computer room. I'm coming full circle becoming the person that I was before. It's a great feeling, but a little scary, too. One of our earlier Apples. The dolphin statue in Puerto Vallarta by Bud Bottoms. It's a twin statue to the one at Stearns Wharf in Santa Barbara. We were on vacation in Puerto Vallarta — enjoying "empty nesting" that I first wrote about here. We went to a brunch at a luxurious gringo resort — complete with every type of food imaginable — waffle and omelet stations, a taco bar, sushi, every type of seafood and protein known to man, plus gorgeous arrays of fruits and salads. I was being so good, trying to stick to a high protein, low carb plate — salmon, pork, a taste of sushi. And then I saw roasted Serrano chilis near the elaborate Mexican dishes. It wouldn't hurt to just have a taste, would it? I plunked the single chili onto my plate next to the scrambled eggs. Later, sitting at the table with my husband, friends, and a person we had just met, I cut off a small bite of the chili. POW! YIKES! Help me, Jesus! How could I sit still, be polite and nod and smile? My eyes watered, I shifted up and down in my seat and I thought I was crawling out of my skin. I was ready to jump on the table and do a happy dance! That was the all time hottest chili. Ever. So much for the high protein low carb diet — I began stuffing my mouth with bread, tortillas, chips — anything to get the soaring heat to die. The next evening at dinner, I listened to one of our friends tell a story about when he was in college and ate his first jalapeño. He was told that the secret was to keep the chili from getting any air. So right from the jar, he slipped the jalapeño into his mouth and closed his lips tight. Then he chewed and was blasted with unbelievable heat. He said the guy who told him "the secret way to eat chilis" laughed so hard that he's probably still laughing today — 40 years later. Now that I'm away from the freshly roasted peppers, I looked up a few things about chilis. First, serrano chilis are typically eaten raw and have a bright and biting flavor that is notably hotter than the jalapeño pepper. No kidding! There is a thing called the Scoville Scale that measures the spicy heat of the pepper! Who knew? What makes a chili hot? The answer is capsaicin. What is that you ask? "Capsaicin (/kæpˈseɪ.ɨsɪn/; 8-methyl–N–vanillyl-6-nonenamide) is an active component of chili peppers, which are plants belonging to the genus Capsicum. It is an irritant for mammals, including humans, and produces a sensation of burning in any tissue with which it comes into contact." — from Wikipedia. If you ever have the horribly uncomfortable occasion of biting into a super hot chili — milk and dairy is the answer. I did not know this. Do not drink water, tea or coffee. Try milk, yogurt or cheese to cut the heat. The next best thing is bread, rice or pasta. Besides the great food and hot peppers, what did I enjoy about Puerto Vallarta? Try this! View of beach in Puerto Vallarta.
{ "redpajama_set_name": "RedPajamaC4" }
Children in storm-affected districts unable to go to school Published On: June 16, 2019 04:30 AM NPT By: DIL BAHADUR CHHATYAL/PUSHPARAJ JOSHI Naresh, Ritu and Manju Bohora of Jugeda with their grandmother. DHANGADHI, June 16: It has been more than a week since Santoshi Dhami, a 10th grader at Sharada Secondary School, Jugeda, has not been able to go to school as the ravaging storm on June 6 blew her books, notebooks and school uniform. "I have got nothing to read and write on. I also don't have the uniform to go to school," said Dhami, adding, "I wandered from one place to another searching for them but could find them anywhere." Similarly, Naresh Bohora, a sixth grader at Durga Adharbhut School (DAS), Jugeda, too, has not been able to go to school for the last one week. "The storm blew away my uniform and books, preventing me from going to the school." It is still uncertain how long these students will miss their schools as buying new uniform and books is a big deal for their poverty-stricken parents. Not only Naresh but also both his sisters Ritu and Manju lost their books to the storm. There are a lot of students in Kailali and Kanchanpur districts who have remained absent at their schools since the storm. Reportedly, more than half the students in the storm-affected areas are not attending their schools since then, "The students have not been able to attend school regularly after the storm," said Bimala Khatri, a teacher of the Behadababa Basic School, adding, "We actually have 70 students but only around 15 of them are coming to the school these days." According to her, especially the children whose houses were damaged by the storm are absent from the school. "Most of the books and stationery were blown away by the storm while some got wet in the water," said Khatri. Mohan Bhandari, a teacher at DAS, says, "The houses of around 50 per cent students of this community were damaged by the storm." The devastating storm blew away the roofs of more than 1,700 houses. "We have no idea where the zinc sheets of our houses are," said Basudevi Bohara, Naresh's grandmother. Bhandari further added that the education of around 200 students of the village has been hampered by the storm. Khadakraj Joshi, coordinator of INSEC Sudurpaschim chapter, says especially the Kamaiyas (free bonded laborers), squatters and underprivileged families have been affected by the disaster. "At a time when the victims are struggling to fix their roofs, we can't expect them to purchase new uniforms and stationery for their children," said Joshi. Nripa Bahadur Ode, mayor of Dhangadhi, informed Republica that more than 6,000 houses were directly and indirectly affected by the storm in Dhangadhi alone. "Dozens of schools have been damaged and a large number of people have been displaced in the district," said Mayor Ode. He claimed that the local unit is trying its best to provide shelter and relief to the victims, stressing that the provincial and federal governments, too, must make efforts for their rehabilitation. kailali Kailali storm victim families to get Rs 150,000 KAILALI, June 9: The Sudurpaschim State government has decided to provide Rs 150,000 each to the families of those killed... Victims recall 15 minutes of perfect storm DHANGADHI, June 9: The scorching sun was setting at last and locals in various parts of Kailali were returning home for... Children start attending schools after availability of water JUMLA, March 27: Students of Ganga Devi Elementary School located near the district headquarters Khalanga have started attending classes regularly following...
{ "redpajama_set_name": "RedPajamaCommonCrawl" }
Q: Reading data from xml to datatable My xml <?xml version="1.0" encoding="utf-8" ?> <Category> <Youth> </Youth> <GeneralStores> </GeneralStores> <Schools> </Schools> <Colleges> </Colleges> <GovernmentOffices> </GovernmentOffices> <Restaurants> </Restaurants> <MovieTheatres> </MovieTheatres> </Category> I need data table like _______________________ Category __________ Youth GeneralStores Schools Colleges GovernmentOffices Restaurants MovieTheatres I am binding this datatable to telrik rad grid on need datasource event here is my .cs code protected void CategoriesRadGrid_NeedDataSource(object source, Telerik.Web.UI.GridNeedDataSourceEventArgs e) { try { //create the DataTable that will hold the data DataTable CategoryDT = new DataTable("MainCategory"); CategoryDT.Columns.Add("Category", System.Type.GetType("System.String")); CategoryDT.ReadXml(@"C:\Users\MyID\Documents\Visual Studio 2010\Projects\SomeName\InfoXML\XMLCategory.xml"); } catch (Exception ex) { } } * *Code executes good with no data in data table. *Also tell me How to give file location when file is on servers? presently I am using my local machine path where the file is located. A: use XmlDocument to read your XML XmlDocument doc= new XmlDocument(); doc.Load("physical path to file.xml"); // doc.LoadXml(stringXml); DataTable dt = new DataTable(); if(doc.ChildNodes[1]!=null) dt.Columns.Add(doc.ChildNodes[1].Name); //Assuming you want the rood node to be the only column of the datatable //iterate through all the childnodes of your root i.e. Category foreach(XmlNode node in doc.ChildNodes [1].ChildNodes ) { dt.Rows.Add(node.Name); } A: Try the following: private static DataTable BuildDataTable(XElement x) { DataTable dt = new DataTable(); dt.Columns.Add(new DataColumn(x.Name.ToString())); foreach (var d in x.Descendants()) { DataRow drow = dt.NewRow(); drow[0] = d.Value; dt.Rows.Add(drow); } return dt; } the method will iterate through the xml and create the dataTable. Xelement is part linq and will require .Net framework 4. It represents an XML element. To call the method : //this answers your second question, //use Server.MapPath to find your file. XElement x = XElement.Load(Server.MapPath(".") + @"\test.xml"); DataTable dt = BuildDataTable(x);
{ "redpajama_set_name": "RedPajamaStackExchange" }
Emirates A380 ventures to Amman and Boston Emirates A380 ventures to Amman and Boston /node/1506496/corporate-news The A380 Amman service was led by Captain Arif Al-Reyami and Jordanian First Officer Laith Saudi. Updated 05 June 2019 Emirates' first scheduled A380 services have touched down in Boston and Amman for the summer season peak. The first scheduled A380 service landed in Amman on June 1 at 3:55 p.m. local time and the second A380 service from Dubai to Boston landed at 1:50 p.m. local time. Led by Captain Arif Al-Reyami and Jordanian First Officer Laith Saudi, the A380 Amman service was greeted by a traditional water cannon salute. Emirates will operate its A380 aircraft to and from Amman until Oct. 26 to cater to the increased demand for travel during the peak summer period. The airline has adjusted its schedule on one of its three daily flights (EK 903/904) with the A380. Emirates A380 operations to Boston also coincide with high customer demand during the peak summer and winter travel season and will see overall capacity increase around 45 percent between June 1 to Sept. 30 and Dec. 1 to Jan. 31, 2020. The move to deploy the A380 on both routes demonstrates the airline's flexibility to optimize the usage of its fleet to cater to passenger demand within its network, a statement said. "With the A380 being introduced for the summer, travelers have more choice to explore unique A380 destinations on the Emirates network, as well as experience the ultimate in travel comfort on the airline's flagship aircraft." Emirates has been flying to Jordan for over 33 years, and has carried over 5 million passengers to and from Amman. Emirates has been serving Boston since 2014. The Emirates A380 flying to Amman is set in a three-class configuration, and will have 427 seats in economy class on the lower deck over the months of June and July, 76 flat-bed business class seats and 14 luxurious first class suites. First and business class customers can catch up, network and enjoy a range of beverages and delicacies in the Onboard Lounge. The Emirates A380 flying to Boston is also set in a three-class cabin configuration, offering 14 private suites in first class, 76 seats in business class, and 426 spacious seats in economy class. Emirates is also offering Greek travelers a chance to fly on the A380. The airline deployed the double-decker aircraft to Athens International Airport Eleftherios Venizelos on May 31 with the commencement of the peak summer travel period to meet high passenger demand to and from Greece. The A380 will operate to Athens until Sept. 30. The Emirates A380 has become one of the most recognized aircraft in the world, and more than 115 million passengers have experienced the airline's flagship since 2008. Emirates currently has 110 A380s in service and 13 pending delivery, and is set to receive six A380s this financial year. LuLu to fly 12 students from Kingdom to NASA /node/1617096/corporate-news LuLu, the largest hypermarket chain in the Middle East, awarded a total of 12 young students of different nationalities from Saudi Arabia, India, Philippines, and Egypt, a chance to visit the NASA center in the US. LuLu's back-to-school promotion called "Fly to NASA" was held in partnership with Almarai. The hypermarket hosted a competition last September in search of students who are science and space knowledge enthusiasts to experience and visit the NASA center in Huntsville, Alabama. Shehim Mohammed, LuLu Hypermarket director of Saudi Arabia, said: "We are glad to finally announce the winners of this innovative campaign, which is a first and the most unique among our activations over the years of operating in the region. Thank you to our partner Almarai for joining hands with us in this exciting promotion. This is the first time that LuLu will lead a great opportunity to children who have the high potential to grow and learn more while having fun through science." Winners include: Abrez Hussain, Mohammed Ahmed, Rayyan Abdul Aziz, Naif Saad Altwaim, Osama Al-Harbi, Hugh Matthew, Khalid Abdul Aziz, Munther Mohammed Qasim Abujazar, Ahmad Gahwagy, Ahmed Khalaf, Hamza Ladha and Asif Rijo. "Fly to NASA" winners will get to enjoy and experience a one-week trip, which will include five days of fun and learning at NASA's Space Camp. The selection process involved two phases — first was the preliminary online registration, while the final stage featured a live quiz to obtain the top 12 winners. Students aged 9 to 18 years were encouraged to register and join the online activation. With 185 stores operating worldwide, LuLu is the fastest growing retail chain across 10 countries, which include the GCC, India, Egypt, Indonesia, and Malaysia. Founded in the early 1990s, it has successfully expanded to different parts of the world, garnering more than 1,600,000 shopping patrons everyday. LuLu is one of the favorite shopping destinations in Saudi Arabia, where it offers a broad selection of international products. It is one of the Middle East's top employers with its workforce numbering to 50,000.
{ "redpajama_set_name": "RedPajamaCommonCrawl" }