text
stringlengths
778
45.2k
This article describes how the CLR locates and binds assemblies and how to change the default behavior when needed (e.g. in the deployment stage). Any developer and system administrator who deals with .NET assemblies, especially commercial applications, must be familiar with these topics. This knowledge is the best way to plan for service packs, upgrades and hot fixes as they come along. The .NET Framework is loaded (almost inflated) with a bunch of terms and features related to assembly deployment, locating and binding. Here is a short list: The article is not at the beginner level, readers with basic knowledge in configuration files and assembly structure can also benefit from it right in the first reading. The CLR – Common Language Runtime – is responsible for the process of locating and binding referenced assemblies. Locating is the process of finding the correct assembly in the hard disk. Binding is the process of loading the assembly in the application address space. The quest begins when the JIT encounters user defined types that need to be resolved. Then the CLR tries to detect where the type definition is: This article deals with the third option. The CLR moves from stage to stage, as described above, in order to determine the exact assembly to load. The reason for this flow is that each stage might override the information in the previous stage. Although, it might look like a cry out redundancy it is really necessary, because of the need to make changes in the deployment files after installation. For example, when installing a Service Pack, the system administrator would like to keep the previous installation up and running. This need requires changes in the locating and the binding process of new assemblies with new versions. The CLR checks the App.config after the manifest check. In case the referenced assembly version is overridden the App.config setting has the upper hand. The CLR checks for the publisher policy file after the App.config check. Publisher policy files are deployed as part of an update, hot fix or service pack. A publisher policy file is used when the updated shared/public assembly has a new version (that it is different from the assembly's manifest). The setting in the publisher policy file has the upper hand unless the App.config file sets the safe mode (<PUBLISHERPOLICY apply= "no">). <PUBLISHERPOLICY apply= "no"> The CLR checks in the machine.config file after the publisher policy file check. The file is shared by all .NET applications on the machine. In case of a version difference, the setting in the Machine.config has the upper hand. The CLR checks if the assembly is already loaded (due to previous code execution statements). If found the CLR uses it. At first it looks like the fox in Redmond has a design bug - why not checking the assembly in the previous loaded assembly list in the first stage? The reason for that is the need to examine first which version is required. If not found in stage 2 and the manifest implies that the assembly is strongly named, the CLR checks the GAC. If exists, the GAC has the upper hand. The prior stages inform the CLR what is the required assembly version. In this stage, the CLR attempts to find and load the assembly. If the Codebase tag is defined in the application configuration file, the CLR checks only the defined location. If the assembly is not in the given URL, the probing process is terminated. Codebase In case there is no Codebase tag in the configuration file or if the attempt to retrieve the file from the URL fails, the CLR starts the Probing process. Search in the application directory and then in the subdirectories with the assembly name. [application base] / [assembly name].dll [application base] / [assembly name] / [assembly name].dll If the referenced assembly has a culture definition then the CLR checks in the following sub-directories: [application base] / [culture] / [assembly name].dll [application base] / [culture] / [assembly name] / [assembly name].dll The CLR also check in BinPath. Tip: The CLR terminates the probing process as soon as the reference assembly is found (name search only). In case the assembly is correct - all is well - else the binding fails (Filenotfound exception raised). Filenotfound In static loading, the CLR checks for assemblies in the assembly manifest. The list of statically referenced assemblies is entered to the file in the build process. In dynamic loading, the CLR is introduced to the assembly in run time. This feature is wrapped up in the System.Reflection assembly, which exposes methods like Assembly.Load (similar to the LoadLibrary function). System.Reflection Assembly.Load LoadLibrary Shared assemblies are not deployed in the same directory of the application that uses them. The CLR will not complain if you do, but it is a deployment error to copy the shared assembly in one of the base application's directory and direct others to it. Typically shared assemblies are registered in the GAC or in a share directory (the application that uses them needs to know about). The main difference between the two is that a strongly named assembly contains a public token. The token uniquely identifies the assembly. It is required for shared assemblies that are installed in the GAC. The reason for that is the slight chance that some developer creates an assembly with the same name, culture and version as one that happens to be installed in the same PC. Another difference (implied from the previous) is that strong name assemblies can be deployed privately and publicly (GAC) whereas weakly named assemblies can only be deployed privately. Tip: Do not copy the assembly to the GAC folder ([windows main folder]\assembly). The assembly must be registered in the GAC. Use the GacUtil via the .NET command prompt or drag and drop the assembly to the GAC window. A shared assembly that is copied outside the application base directory must be strongly named but is not required to be installed in the GAC. In this case the shared assembly location must be specified in the configuration file using the Codebase tag. Application suites can create a shared folder and copy the shared assemblies to it. The following is a list of reasons that helps to decide when to use the GAC instead of a proprietary shared folder: This is one of the two ways to define an assembly location. The instruction is done in a configuration file. You can specify only subdirectories under the application base directory (see snippet). This is one of the two ways to define an assembly location. The CLR, first checks the assembly version, then searches for an override CodeBase definition in the configuration file. The version attribute is required, only, for strong named assemblies. For weakly named assemblies the href attribute must be assigned, only, to a subdirectory. This URL can refer to a directory on the user's hard disk or to a Web address. In the case of a Web address, the CLR will automatically download the file and store it in the user's download cache (a subdirectory under <Documents and Settings>\<UserName>\Local Settings\Application Data\Assembly). When referenced in the future, the CLR will load the assembly from this directory rather than access the URL. The CodeBase tag should only be defined in the machine configuration or publisher policy files that also redirect the assembly version (see snippet). CodeBase href This feature enables the binding of a certain assembly to a different file version and it is very useful for service pack installations. Usually the redirect is done to a GAC registered assembly. The GAC allows us to install the same assembly with different versions. The CLR checks the configuration file and redirects the binding accordingly (see snippet). The DEVPATH is nice feature for the development stage. The feature eases the development life cycle by delaying the decisions in regards to the deployment stage. DEVPATH The developer can create a DEVPATH environment variable that points to the build output directory for the assembly. Follow these steps to enjoy this feature: The CLR searches for the referenced assemblies in the path described in the DEVPATH environment variable. path Example: add the following statement above the </CONFIGURATION> tag. </CONFIGURATION> </configuration> <runtime> <developmentMode developerInstallation="true"/> </runtime> </configuration> The snippets below are related to the following example: <?xml version="1.0" encoding="utf?8" ?> <configuration> <runtime> <assemblyBinding xmlns="urn:schemas?microsoft?com:asm.v1"> <probing privatePath=" ProductCabinet" /> </assemblyBinding> </runtime> </configuration> <?xml version="1.0" encoding="utf?8" ?> <configuration> <runtime> <assemblyBinding xmlns="urn:schemas?microsoft?com:asm.v1"> <dependentAssembly> <codeBase version="1.0.0.0" href= ":\ MyTest\ProductCabinet ReferencedFile.dll"/> </dependentAssembly> </assemblyBinding> </runtime> </configuration> <?xml version="1.0" encoding="utf?8" ?> <configuration> <runtime> <assemblyBinding xmlns="urn:schemas-microsoft-com:asm.v1"> <dependentAssembly> <assemblyIdentity name=" ReferencedFile" publicKeyToken="99ab3ba45e0b54a8" culture="en-us" /> <bindingRedirect oldVersion="1.0.0.0" newVersion="2.0.0.0"/> </dependentAssembly> <publisherPolicy apply="no"> </assemblyBinding> </runtime> </configuration> "The Assembly Binding Log Viewer displays details for failed assembly binds. This information helps you" (MSDN) TypeLoadException Tip: make sure you set the HKLM\Software\Microsoft\Fusion\ForceLog registry value to 1 (the value is a DWORD). DWORD NET Framework Configuration allows you to configure assemblies, remoting services, and code access security policy specifics. (MSDN) The Process of loading and binding .NET assemblies is complex. Nevertheless, it is an important, inevitable, subject to know what it is going on under the scenes. The familiarity with this process is the only good way to start preparing for deployment and to answer some important questions like: FileNot
StereoLithography(StL) is something that is widely used in CAD/CAM, RapidPrototyping etc. The concept is that any surface or solid is exported to StL format by data exchange packages after they are modeled in commercial CAD packages. This data consists of triangulated facets that approximate the surface of the solid. No topological or geometric information is exported. The surface is subdivided into small triangles. The approximation uses chordal deflection for curved surfaces to smoothen the surface. More the smoothening required, more number of smaller triangles are generated by subdivision resulting in larger size of data file. Now, along with triangles, their facet normals are also generated. The data is written both in ASCII and binary formats. The data in ASCII is written like this: facet normal 0.000000e+000 -1.000000e+000 0.000000e+000 outer loop vertex -1.499999e+002 -1.000000e+002 0.000000e+000 vertex -1.500000e+002 -1.000000e+002 0.000000e+000 vertex -1.500000e+002 -1.000000e+002 -5.000000e+001 endloop endfacet The facet normal tells the three components of the facet normal followed by three vertices of one triangle, enclosed by the statements. facet normal facet normal 0.000000e+000 -1.000000e+000 0.000000e+000 and endfacet Thus all the triangles are written one after the other. This data can be then used as input for generating Rapid Prototype models as well as for NC toolpath generation. The Normal data helps to compute tool offsets etc. Here, for displaying the data in the OpenGL viewer, I have written the code for reading the data and displaying each triangle using glBegin(GL_TRIANGLES) and the normals for lighting. The viewer and geometry coding is same as my earlier project CadSurf. You can read as many StL (ASCII only) files into the viewer zoom, pan, rotate the views, select the objects, change attributes like color and material. The viewer provides object oriented context menus. I.e., when you click the right mouse button in the view with no active selection, you get a context menu for setting the viewer attributes, whereas with StL object selected, you get menu for the object attributes. Some sample StL data is also provided in the Data folder of the project. glBegin(GL_TRIANGLES) Please let me know your comments. Thank you. This article, along with any associated source code and files, is licensed under The GNU General Public License (GPLv3) General News Suggestion Question Bug Answer Joke Rant Admin Math Primers for Programmers
Home- Faculty Search- Faculty Directory- Jacob Mundy Colgate Directory FACULTY DETAIL < BACK TO RESULTS Jacob MundyAssistant Professor of Peace and Conflict StudiesPeace & Conflict Studies , 222 Alumni Hall p 315 [email protected] Education BA, MA University of Washington 1999, 2004; PhD University of Exeter 2010 Research Interests and Field Experience Interests: Armed conflicts and humanitarian interventions in northern AfricaFieldwork: Libya (Summer 2009), Algeria (October 2007 - June 2009); Morocco, Western Sahara, and Algeria (Summer 2003 and Fall 2005) Refereed Books Western Sahara: War, Nationalism and Conflict Irresolution, coauthor with Stephen Zunes, Syracuse University Press 2010, Second Printing 2011 Refereed Articles "Deconstructing Civil War: Beyond the New Wars Debate," Security Dialogue 42(3), June 2011: 279-295,"Expert Intervention: Knowledge, Violence and Identity during the Algerian massacres," Cambridge Review of International Affairs 23(1), March 2010: 25-47, Special Issue on Scholarship and War: Ethics, Power and Knowledge,"Performing the Nation, Prefiguring the State: The Western Saharan Refugees Thirty Years Later," Journal of Modern African Studies 45(2), June 2007: 275-297, Select Online Articles "Militia politics in Libya's national elections,” Foreign Policy Middle East Channel, 5 July 2012,"It’s official: Syria is a civil war. Or is it?” e-International Relations, 15 June 2012:"Western Sahara’s 48 hours of rage," Middle East Report 40(4), N˚ 257, Winter 2010: 2-5,"Why the UN won’t solve Western Sahara (until it becomes a crisis)," coauthored with Anna Theofilopoulou, Foreign Policy Middle East Channel, 12 August 2010: Speaking and Conferences Invited paper: “It’s a trap! The contested politics and indisputable effects of US counter-terrorism policy in Africa’s Sahara-Sahel,” Humanitarian Dilemmas: Debating Interventions in Africa and the Middle East, Kent State, 5-6 April 2012,: Wars beyond war: an international, interdisciplinary workshop, Colgate University, 30-31 March 2012,: “Just semantics, just politics: Is there a politics of naming civil wars?,” Understanding the Fight for Justice: Alternative Approaches to the Study of Civil Wars (co-chair and co-organizer), American Political Science Association, Seattle, 1-4 September 2011Invited, 25-26 March 2011Invited presentation on Western Sahara: Challenges and Opportunities in the Maghreb Today: A Trans-Atlantic Dialogue, Real Instituto Elcano, Madrid, 12-13 May 2010Paper: "Agents, Structures and Logics of Violence," Algerian Politics and the Politics of ‘Algeria’: Power, Knowledge and Representation, Middle East Studies Association, Boston, USA, 22 November 2009Invited discussant: The Nexus between EU, Civil Society and Conflict in the European neighborhood, Workshop, Istituto Affari Internazionali, Rome, Italy, 19 June 2009Paper: "New wars, new peace? Transitional/transnational justice in the late post-conflict environment," Post-Conflict Environment Project, Woodrow Wilson International Center for Scholars, Washington, D.C., 23-24 April 2009Invited talk: "Sovereignty and the International Court of Justice Advisory Opinion on Western Sahara of 16 October 1975," Multilateralism and International Law with Western Sahara as a Case Study, University of Pretoria, South Africa, 4-5 December 2008Chair and organizer: Powers, Politics and Violences: The Legacies of Algeria’s “War on Terror” (sponsored by the American Institute for Maghrib Studies), Middle East Studies Association, Washington, DC, 22-25 November 2008Invited talk: "The Question of Sovereignty in the Western Sahara Conflict," La Cuestión del Sáhara Occidental en El Marco Jurídico Internacional, International Conference of the Jurists for Western Sahara, Las Palmas, Canary Islands, 27-28 June 2008Chair and organizer: States and/of Saharan Studies, Saharan Studies Association panel, African Studies Association, New York, NY, 18-21 October 2007
] 4 Activities to Keep You Thinking Over the SummerPosted July 12, 2012 by While the summer months mostly stir up images of lounging around a pool or taking a vacation to the beach, you shouldn’t let your mind completely space out during the few months you have off of school. Even though you’re not taking classes, you’ve got to actively engage your brain so that you are still [ Read More ] Staying Healthy in College: Should I Take Protein?Posted July 10, 2012 by To [ Read More ] How to Maintain a Work, Life, Grad School BalancePosted July 7, 2012 by Balancing school and work is no easy task, but it is a reality that many college students, and particularly graduate students, face during their programs of study. Graduate school is already an overwhelming prospect to most pursuing their post-graduate education. Whether focused on the arts, humanities, social sciences, or professional programs, like nursing and business, [ Read More ] 5 Things to Know Before College StartsPosted July 6, 2012 by When you’re packing and preparing to start your freshman year, there are a thousand thoughts running through your head. Believe me, I’ve been there and know just how stressful it can be. Although my mother was a huge help to me, there were so many things I wish I had knew before setting foot on [ Read More ] When Is It Time To Let Go of a Friend?Posted June 20, 2012 by The question posed in this headline is one of the hardest ones you will face throughout your college years. The harsh reality is that sometimes you do need to say goodbye to friendships — and it will hurt and be uncomfortable — but you need to make sure you’re keeping yourself surrounded by people that [ Read More ] What NOT to Do on a Job InterviewPosted June 19, 2012 by A recent experience got me thinking about job and internship interviews and all of the advice we’re given along the way as we embark into the real world. While a lot of emphasis is put on what we’re supposed to do/dress like/say, the focus isn’t usually on what you’re NOT supposed to do. Sometimes, even [ Read More ] Making the Most Out of Your Greek ExperiencePosted June 17, 2012 by I don’t know about any of you, but I was a HUGE fan of ABC Family’s hit show “Greek” when it was still on the air. The series chronicles the lives of students in the Greek system at a college in Ohio and how they deal with different situations that are synonymous with the collegiate [ Read More ] Tech Savvy: Building Up Your Twitter AccountPosted June 15, 2012 by Social. [ Read More ]
9 Free Apps for the Holiday Season! ‘Tis the season to be “Appy”! The holiday season is fast approaching and as you finish last minute shopping and decking the halls we would like to take this opportunity to remind you that technology can play a big role in enhancing the festive season with your family and friends! Do any of you have that relative who sits in the corner on their smartphone while ignoring the rest of the family?! Well instead of Cousin Timmy playing Angry birds in a solo session, encourage him to download one or more of these apps that will create conversation, laughter, sharing and so much more with the whole family! We have also included apps that will help you to keep your waist-line in check, impress your relatives, find your way to gas and food and other helpful apps! 9 Apps for the Holiday Season (In no particular order!) No More Socks: The Christmas List Genius This handy little app will help you get your holiday shopping organized! This app allows you to organize all of the people on your shopping list and your gift-buying budget. The app also helps you keep track of all of your holiday events and gives you gift suggestions from other users. This app is also good for all year round: keep track of friends and family birthdays, anniversaries or other special occasions! Want to impress your relatives with your amazing cooking skills and culinary delights?! Well look no further than the foodgawker app. This app displays beautiful photos and recipes from cooking blogs around the world. Browse and search for recipes that will tantalize your guest’s taste buds! Think outside the turkey this Christmas and shake it up with inspired recipes from around the globe! Don’t forget dessert, the pictures on this app alone will having you asking for second helpings! If you are culinarily challenged or just feel like relaxing and leaving the cooking to the experts, then look no further than Urban Spoon. This app will help you find restaurants in your area based on your GPS location. You can also filter your search by neighborhood, cuisine or price! If any of you have ever watched Mrs. Doubtfire you could take a page from “her” book and get your food to go, dish it up on your own serving dishes, splash some water and flour on your face and take credit as your friends and family marvel at your fine-cooking skills! If you are in Canada and planning to visit relatives across the country then you will need to download this handy app that will help you locate gas, snacks and groceries on your cross-country journey. Using your GPS location this app will show you the locations of the nearest gar bars and food stores and give you directions. Whether you are low on gas or grandma phoned you and said to pick up some cranberry sauce before you arrive, you can rest assured that this app will guide you to the nearest Co-op location! Diet & Food Tracker – SparkPeople If you, like many of us, tend to over indulge in the holiday food, snacks and drinks and your main physically activity over the holiday season includes lifting more turkey to your mouth (no that does not count as 40 “bicep curls!) then you may want to consider downloading a diet tracker app such as SparkPeople! This sensible app allows you to track your daily calories and encourages you to add daily physical activity to counteract that holiday bulge. Your clothes will thank you once the holiday season is over: instead of shouting out “My pants shrunk!” once the holiday season is over you can thank SparkPeople for keeping you on track! Make sure to capture those precious holiday moments with a photo-capturing app like Instagram! Instagram not only captures your beautiful family moments but also allows you to customize your photos with beautiful filtered effects. Once you are satisfied with your works of art you can share them with your social networks over Facebook, Twitter, Flickr, Tumblr, Foursquare and Posterous. Undoubtedly when you are taking all of these great holiday photos of your friends and family they will want to have copies of the photos as well! Instead of laboriously emailing them the snapshots, you can use Bump, which will allow you to share photos from your device to their device! The app also allows you to bump personal contact information so you can stay connected with your newly-introduced, second-cousin Martin! The greatest part about this app is you can share between Android and iOS users can share between devices! This fun little app scans a person or their fingerprint to determine if the person has been “Naughty” or “Nice” this year! Hopefully Santa will still visit your house even if you have a few “naughty” ratings! This app is not only great for the kids but is guaranteed to get even the adults laughing! Speak to Santa and he will repeat what you say in his jolly voice! We were impressed with this app because not only does it include cute graphics and animations but it allows you to choose a “child’s mode”, create a custom postcard that you can share with your social networks, and many other fun little functions that will get people laughing and sharing. Those are just a few of the great apps that will hopefully enhance your Holiday Season! If you have any other great apps that are a must-have for this holiday season leave us a comment! ~ Happy Holidays and All the best in 2013!~
Back in 2009, when I was just a youngin' wrapping up my sophomore year, I hopped on a plane and headed east to the Emerald Isle. One of my bucket-list countries, my parents and I traipsed around Ireland for about a week. Gorgeous sights, incredibly filling food and cars on the wrong side of the road. Well, as luck would have it, we found ourselves there in the middle of March. That's right. St. Patrick's Day. As we stood along the main thoroughfare in Dublin, surrounded by green and orange, watching car after marching band after float pass by in the parade, my parents and I fought for our footing as the crowd surged. And with so much pride in the air, it was only right for us to partake in another glorious Irish tradition: Beer drinking. (Underage in the U.S. Beer drinker in Ireland. Hells yes.) Now, you may be scoffing my premature exhalation of St. Patty's Day. Ha! Nothing premature about it. Old Chicago has brought on the green early, revving up its St. Patrick's Day mini tour a few days ago. Set to last until March 17, this tour's filled to the brim (pun always intended) with Guinness, Smithwicks and O'Hara's brews. How do I know, you ask? I was there. My friend and I fought the cold winds and snow-filled streets to start one of our favorite tours. And after an unfortunate beer-spilling incident, I brought that beer smell with me to work Thursday. Or rather my boots did. "Resident Beer Girl" as I'm known in the office now seems, to the unwitting nearby smeller, to have come to work drunk. Info: St. Pat's Mini Tour at Old Chicago, 1102 Pearl Street. Natural born artists Next up: But it's not what you think. No inappropriate gyrating or tequila shots ... this time. Instead, Absinthe's getting artsy, hosting "Discovery," by RAW natural born artists, on Sunday. A collaborative showcase of independent artists, musicians and designers, the show gives its audience an independent film, fashion show, musical performance, art gallery and more. All kinds of indie artists seeking the spotlight and putting on one hell of a show. So culture up your weekend and head over in your Sunday (night) best. Info: RAW "Discovery" show at the Absinthe House, 1109 Walnut Street, from 6 to 10 p.m. Tickets are $10-$15. 21+ Rock out Never fear, my 20 and younger friends. Seems your Program Council is at it again, bringing big-name talent right to your doorsteps. Kris Allen's rocking out in the Old Main Chapel tonight with Jillette Johnson. My only exposure to his hits over the years has been from my friends filling my iTunes with their music, but the American Idol winner will bring his hits to campus. This show's sure to liven up you're a Friday night. (Don't worry, the beer pong table will still be there when you get home.) Info: Kris Allen at Old Main Chapel on Friday at 8 p.m. $12-$15. Follow Alex on Twitter: @ansieh.
The season continues, and Missouri hopes to keep it that way. The No. 8 seeded Missouri women’s soccer team plays No. 1 Colorado today at 11 a.m. in the first round of the Big 12 Conference Tournament at the Blossom Soccer Stadium in San Antonio. The Tigers (9-9-1, 3-6-1 Big 12) took the last seed in the tournament by coming from behind to defeat Iowa State on Friday in Ames, Iowa. After trailing 2-0 and 3-2, Missouri battled back to defeat the Cyclones 4-3 and knock them out of tournament contention. Missouri has appeared in seven of the eight Big 12 tournaments, failing to make the six-team cut in 1997. The Tigers lowest seed was eighth. Coach Bryan Blitz, though, said he isn’t afraid of the underdog role. “It’s an unusual spot for us,” Blitz said. “But we feel like we can play with anyone in the conference.” A few weeks ago, Missouri had little chance to make the tournament. After starting 4-0, the Tigers faced eight ranked opponents, seven in eight consecutive games. On Oct. 17, Missouri was 6-8-1 and had not won a conference game. The turning point for the Tigers was Oct. 19 against Texas A&M, ranked No. 4 in the country. Missouri, which trailed 4-1 at halftime, beat the Aggies 5-4 in overtime behind Melissa Peabody’s hat trick. Since that game, the Tigers have won two of three games. Senior Adriene Davis has high hopes for her last conference tournament. “We want to go win this thing,” Davis said. “We want to be the eighth seed that comes through and wins it all.” The Tigers will have a formidable opponent. In addition to being atop the Big 12 standings, the Buffaloes (15-2-1, 8-1-1) also are ranked fifth nationally and boast three Big 12 awards winners that were announced Tuesday. Katie Griffin was named Rookie of the Year, Fran Munnelly was awarded Player of the Year and coach Bill Hempen was honored as Coach of the Year. Missouri and Colorado met Sept. 26, when the Buffaloes came back to win 3-2 after the Tigers took a 2-0 lead. “I thought we played great that game,” Blitz said. “We can gain confidence from it and bring it into (today’s) game.”
Miller Theatre was nearly overflowing on Wednesday, Sept. 14, as it opened its 2011-2012 season with Part I of the U.S. premiere of Scottish composer James Dillon’s epic “Nine Rivers.” Parts II and III will be performed on Friday, Sept. 16 and Saturday, Sept. 17, respectively. Part I, entitled “Leukosis,” which refers to the stage of whitening in the transformation of matter, is itself divided into four pieces: “East 11th St, NY 10003,” “L’ECRAN parfum,” “Viriditas,” and “La femme invisible.” Each piece began immediately after the last ended, totaling just over an hour for the full performance. (Dillon’s original intention was for the entire cycle to be played all on one night, not three. The work as a whole is meant to contain many themes, including differing conceptions of musical time.) Though the concert may have been short, it lacked nothing in monumental qualities. “East 11th St, NY 10003” was performed entirely by the percussion ensemble “red fish blue fish,” with Nathan Davis playing additional percussion and Steven Schick conducting. The piece began with a soft clang of a gong, leading to a low rumbling which eventually culminated in a huge cacophony of percussive sound—one was reminded of the sounds of a New York City street. Though it felt like a very gradual buildup, the ending was exciting. “L’ECRAN parfum” added strings to the mix, with six violins from the International Contemporary Ensemble playing different variations of a tremolo. At certain points, one or two violins would come in with a quick measure of what sounded like a melody but would quickly be usurped by the tremolo and percussion again. It was almost as if every musician had a different notion of the musical meter, none of which lined up until silence suddenly marked the end. In the only piece conducted by Donald Nally, the vocal ensemble The Crossing sung “Viriditas”—the longest of the four works in Part I. Again, different ideas of time were evident. If there were any lyrics to the song, they were nearly impossible to understand. Rather, it sounded like many people talking all at once, beginning and ending at different times. There were several impressive solos, yet it was often difficult to even tell which vocalist each was coming from, as the singers were hidden behind their music stands under low light. The concert ended with the shorter “La femme invisible,” for which the wind players of the International Contemporary Ensemble joined in. As this piece began, red light began to appear behind the players. The light foreshadowed Part II of the cycle, “Iosis,” which represents the reddening stage in the transformation of matter. “La femme invisible” ended on a very short and abrupt note, leaving quite the cliffhanger for Friday’s concert. Yet, the long applause after Wednesday’s performance proved that even on its own, “Leukosis” provided one vibrant evening.
Messenger photo by Whitney Wilson Coy The BOZ I, a new bomb robot purchased by the Columbus Division of Fire Bomb Squad, is the first of its kind to be purchased by any organization in the The robot is run by a hydraulic system, making it ten-times stronger than other robots used by the squad, as it demonstrated Sept.19 by turning a vehicle on its side. These are the words of a member of the Columbus Division of Fire Bomb Squad during a press conference to reveal their newest robot. The “long walk” was described as when a bomb squad member puts on his gear and makes the solitary walk towards an area where a bomb might be located. "You hope you get to walk back," he said. Thanks to the new BOZ I robot, these long walks will now be less frequent. The BOZ I bomb robot is a hydraulic system based robot. According to Bomb Squad Captain Steve Saltsman, this makes a huge difference in the strength of the robot. "The new robot is about ten-times stronger than our old ones," said Saltsman. The hydraulic jaws have 12,720 pounds of opening force, 8,500 pounds of closing force and 1,000 pounds of thrusting force. These capabilities allow the robot to tear, pry and crush devices. Bomb squad representatives used the BOZ I to force open the truck and a passenger door of a vehicle during the robot's reveal on Sept. 19. It can also move a 3,300 pound vehicle. During the presentation, the robot punched a hole in the rear tail light of a vehicle and pushed it across an empty parking lot. According to firefighters, this method can be used to move large objects believed to contain a bomb to a safer location for further investigation. The robot was also used to turn the vehicle on its side. The BOZ I is equipped with five cameras - three of which are infrared and two with zoom capabilities. This allows it to be extremely precise. "We saw a video online where this machine can take quarters and stack them one at a time. It has incredible strength, but it also has the finesse to handle something that delicate," said Saltsman. Its remote operation has a one kilometer range, allowing bomb squad personnel to operate the robot from a safe vantage point. The BOZ I cost $300,000 and was funded through grants from the Urban Area Security Initiative from the Department of Homeland Security. It is one of only 60 robots of its kind made worldwide and the Columbus Division of Fire is the first department in the country to purchase this new technology. Saltsman attributed the fact that Columbus is the first U.S owner of a BOZ I to nothing other than "good timing." "This technology has been out there, in other places in the world, for quite some time now, but it's just coming to the We just happened to be looking and had the funding available when this new technology arrived." "We were looking for a new robot and we looked at a lot of different models. None of the other robots came close to the type of capabilities we were looking for," said Saltsman. The department currently has two additional robots. The new robot will not replace either of these, but instead will work together with them. According to Saltsman, the older, smaller robots are still useful because they are lightweight and easily transportable - the new BOZ I weighs 1,300 pounds. The older robots are also able to climb staircases and enter small spaces, such as airplanes, because they are smaller in size. The new robot, however, has a much greater reach than the older ones. "Theoretically, we could use the new robot to pick up a smaller one and place it someplace high, like a second story," said Saltsman. "When you look at them side by side, it’s like a family." ^ back to top
Captains of the comics industry hosted a public remembrance during last weekend's Emerald City Comicon for a departed friend, Dwayne McDuffie, a creator who fought to make superheroes feel more like the human race. McDuffie died of complications from surgery on Sunday, February 21, just one day after his 49th birthday. He spent decades working with the major comics publishers as well as an independent creator who constantly strived to bring minority characters to the fore, sometimes utilizing caustic satire, while translating many of DC's superheroes into their most successful animated incarnations. Longtime friend and fellow writer Mark Waid, who worked alongside McDuffie numerous times throughout their careers, headed up the memorial panel as moderator. Waid opened the event with a quip: "I have a long list of people in this industry who can go..." "Most of us are here," joked "Astro City" creator Kurt Busiek. "...and Dwayne was so not on that list," Waid continued. "It's really fairly rare, even in an industry as tightly knit as ours, and I think as fraternal as ours, to find someone that everybody really likes." The panel, coming at the end of Saturday's con events, opened with a brief memorial video of some of McDuffie's career highlights. The montage ranged from 1989's four-issue Marvel miniseries "Damage Control" to the launch of the McDuffie-helmed Milestone Comics line in the early 1990s to his years writing for the animated "Justice League" and "Justice League Unlimited" and features "Justice League: Crisis on Two Earths" and the newly released "All-Star Superman." "I think his greatest contribution in a lot of ways, was, he showed a bunch of liberal New Yorkers that they really weren't doing enough to bring diversity to comics," said Bob Harras, editor in chief of DC Comics, who praised McDuffie's tenure at Marvel. "It was amazing for an assistant editor, when you think about it, because an assistant editor's supposed to be someone who'll Xerox and say, 'Yes, sir.' But Dwayne basically said, 'Look, what we're doing -- there's a large group of fans out there who are not seeing themselves.'" Veteran comics writer Marv Wolfman recalled picking up a copy of McDuffie's "Damage Control," a miniseries about an agency that cleans up the rubble left by super hero/super villain battles in the Marvel Universe. "It blew me away, and not only because it was one of those ideas that you go, 'Of course! Somebody had to clean up after the mess that the characters did.' But the writing was so sharp. I just couldn't believe this new voice had come in." Wolfman continued, talking about McDuffie during the Milestone years. "He was doing some of the best plotting and the best scripting I had seen in comics at that particular point. All the books were so sharply written -- it was amazing." "He knew how to write from the inside out," Waid agreed. "He knew, that's the way you write characters." McDuffie and his wife Charlotte Fullerton moved into a new house not long before his death, passing his packing boxes on for Wolfman to use in a forthcoming move of his own. "Now his name is all over my house," Wolfman said. "I mean, everywhere." Busiek once wrote an issue of the Milestone title "Icon," filling in for McDuffie, and the writer recalled for the audience how challenging it was to maintain McDuffie's voice. "A Dwayne McDuffie page has four word balloons, and they're short," Busiek said. "But it's rich in character. What the characters say and do, everything means a lot." One of McDuffie's best-known stunts involved a survey he conducted around the Marvel offices during his and Busiek's tenure at the publisher. The survey asked, "How many African-American Marvel characters can you name who don't ride a skateboard?" The punchline was a satirical series proposal for "Teenage Negro Ninja Thrashers," a super team comprised of Marvel's two skateboarding black heroes, plus two more created for the group. McDuffie's point, that many of Marvel's black characters at the time were essentially one-note signifiers, not fully envisioned heroes, was noted by Marvel. The other half of the survey asked how many black male Marvel heroes did not dress like chickens. "Think about it," Busiek said. "There's the Black Talon. We'll call the Falcon an honorary one, for those crazy boots. There's the Battling Bantam. There is an astonishing number. When you add up the guys who dress like chickens and the guys who ride skateboards, it's really easy to see there's a problem here." Beyond strong writing skills and advocacy on behalf of characters who resembled the audience that read about them, McDuffie also mentored younger writers. David Walker, today the screenwriter behind the spoof film "Blackstar Warrior" and author of the forthcoming superhero-themed young adult novel "Darius Walker: Super Justice Force," was a journalist when he first met McDuffie. The industry veteran encouraged the new author's writing, but urged him to pass on a job working directly for a comics publisher, saying it would squelch his creativity. He also surprised Walker once by calling Thor, the blond-haired god of thunder, "the blackest character" among Marvel superheroes. "Thor had a really bad relationship with his father," he told Walker, "and everything Thor was trying to do was trying to address his father, trying to mend that relationship." "If there's depth and dimension to (a character), then people will relate to them no matter what," Walker continued. "Hence, Dwayne's thinking that Thor was one of the greatest black characters in the Marvel Universe." Wolfman recounted reading the massive online outpouring of remembrances after McDuffie died -- even though McDuffie's work was seldom among the comics industry's big-selling titles. "To get that sort of response in the press indicates that he touched people in ways that they felt a need to respond," Wolfman said. "Forty-nine years old," Waid lamented. "Jesus. That's absurd. That's a kid." Discuss this story in CBR's Community Forum forum. | 16 Comments
Tiny Pages Made of Ashes: Small Press Comics Reviews 10/5/2012A comic review article by: Jason Sacks, Daniel Elkin, David Fairbanks Tiny Pages Made of Ashes is Comics Bulletin's roundup of small press comics reviews. Wings for Wheels (Todd McArthur/Jen May/John PM Frees/Jen Vaughn/Pat Barret/Nomi Kane) Bruce Springsteen fans are some of the most intense fans in music. This new anthology comic is a really fun look at that obsession, with six entertaining stories about the Boss's impact on his fans. The first thing you might notice about this anthology is its wonderful cover. If you don't recognize that image, you just don't know music – and if you do, isn't it really a cool piece of work? The cover sets the pace for the comic because this mini looks and feels like a slightly larger CD insert – in fact, it even look like a record! Inside the mini we get a range of stories, but these are generally of a higher quality than youfind in most anthology comics. The lead tale, by Todd McArthur, is an outlandish and euphoric tale that treats Clarence Clemons as an angel come down from Heaven to encourage Todd to not be cheap and go to a Springsteen concert. It's a goofy strip, but McArthur pulls it off with clever page layouts and positive energy. Next Josh PM Frees delivers a fun anecdote about a furniture-destroying karaoke Springsteen session. It's a cute little story – and I love the look of pure mania on the face of the karaoke singer's face! Jen Vaughn delivers a really sweet seven-pager that shows how impossible it is to escape the power of a great song. I loved this little tale of a pretty smart and cool girl trying to track down some great music. Pat Barrett's five-pager is a rambling five-pager that juxtaposes little anecdotes about growing up with a fistfight initiated by Springsteen. It's an odd little strip, but Barrett's art is vivid and his caricatures are fun. Nomi Kane's eight-pager wraps up the comic with a really wonderful piece about how music haunts us all throughout our lives. We see Springsteen's music pass in and out of Kane's life as she goes through childhood, breakups and long car rides. This was a surprisingly moving story that made me think about my relationship with music, and Kane's art is sweet and direct. To top it off, this zine has wonderful production values and the record-sleeve cover is a damn clever idea. This is a really fun minicomic that anyone, especially anyone who loves The Boss, should check out. - Jason Sacks Tomorrow Jones #1 (Brian Daniel/Johan Manadin) Arcana . The story is pretty straightforward. Tomorrow Jones is a fourteen-year-old girl who comes from a family of superheroes -- Mom is a super powered alien, Dad is the Crystal Guardian, and brother Zane is the Crystal Scout. Tomorrow, though… Tomorrow just wants to be left alone to be a normal teenager, to crush on boys and pass her History class. She certainly doesn’t want to wear tight spandex and have a secret identity. Oh sure, she’s going to be a super hero alright, but it’s going to be on her terms, and ain’t nobody going to tell her what to do or who to. - Daniel Elkin White Devil (Matt Evans/Andrew Helinski/Nate Burns) Evans, Helinski and Burns are new to comics, and it shows through every page of White Devil. The artwork is all over the place on quality, with some pages looking decent, albeit in need of some cleaner inking and shading, and others looking incredibly rushed. There's also an overabundance of negative space on some pages that seems to serve no real purpose, other than to have smaller panels (panels which, by the way, give the indication that nobody had a straight edge handy). Lettering is something that really shouldn't be overly noticeable in most comics. There are times that a specific font or font change is used, but in general, the best letterers are ones who don't take you out of the book. Whoever of the trio that did the lettering did so haphazardly at best. Burns drew the word balloons, which I appreciate, but he seems to have done so without consideration for how much had to go into them. To fix this problem, fonts were adjusted. Sometimes you get word balloons that are mostly empty, with a tiny, scaled down Times New Roman word in them. Not only does it make it difficult to read, but it's distracting too. The story, that of a cult summoning gone awry, has potential to entertain, but the dialogue (and its delivery) mixed with inconsistent art turned me off. I do see potential here, both in the story and the art, but all three of the creators need quite a bit more practice and could greatly benefit from planning out an issue further. - David Fairbanks Jason Sacks is Publisher of Comics Bulletin. Follow him
No recent wiki edits to this page. Maranatha is a creature of pure rage and destruction, similar to Doomsday but magical in nature. Whether or not he is indeed the manifestation of God's wrath apparently makes no difference, for it is real and is rage incarnate. He was defeated and captured many times in history, always managing to find a way back. In 1668 he was captured for good, and moved through various holding places until thirty years ago, when Julian Parker, Rabbi Sinnowitz, Mark Merlin, and Sargon the Sorcerer locked him away in the Prison of Industry. Five years later the Church assumed control of the Prison, but no mention was made of Maranatha all those years. What had happened was, Roland Finch positioned himself as a staff member in the prison, and trapped him inside the missing space that James Church once occupied before his Hyde side killed the original persona. This kept Maranatha trapped and hidden until he had Annie Palmer free James Church with the intention of having Maranatha kill her. After an exhaustive battle, he was defeated by the combined efforts of Catholic Girl, Rabbi Sinnowitz, Nun of the Above, Nun the Less, Julian Parker, and Xombi. Maranatha is essentially unstoppable, a beast of pure destruction and mindless rage. However, the toll of multiple imprisonments and 3 decades of lurking inside the shell of a former man took its toll on him. Unlike Doomsday, Maranatha is capable of a degree of rational thought. He is perplexed by David's inability to die, and subsequently by his ability to be harmed. When he realizes that nobody fears him any longer, he loses any desire to go out fighting. In his final moments, he is asked by David if he ever had a friend in his life. Maranatha seemed confused by the question itself, stating "No. Any living thing I came across, I killed. That's all I was for. Rage powered my very being. It's what I am." Thus David concludes that he was never truly 'alive' at all. A side effect of Maranatha's presence is echoes of the dead appearing in the vicinity. Nobody knows what they want, as they never spoke to anyone. The one exception to this was when David lay 'dying' from having Maranatha bite off nearly a third of his body. One of the spirits kneeled next to him and relayed it's laments that life is wasted on the living, and that the things they miss most are the most simple, such as the smell of dew. These echoes are apparently capable of interacting with physical matter, as one is seen handing David the Screaming Cannon left behind by a freshly killed Rustling Husk. It is possible that Maranatha is still alive somewhere, as we have never been told where the Screaming Cannons teleport matter to. Log in to comment
Tip The government will fight to the end to suppress those documents in my humble opinion, as they let too many cats out of the bag. Outrage is already building to a fevered pitch over the bailouts as Wall Street is given preferred treatment by Washington. Gary Which, again, is why people like Spitzer and Warren will never be in the Obama Administration. Can you imagine Spitzer instead of Holder as AG? I didn't think so. Boggles the imagination alright! Gary Spitzer is banned for life from Organized Government exactly as Pete Rose is banned from Organized Baseball, and for committing the same unpardonable crime: Getting Caught. · Yr Obd't Servant Let's be clear. All those in power have kinky cravings but those who shake up things or blow the whistle on others for treasonous acts against the people or the consititution are always attacked, sometimes framed, exposed, and/or driven out by the ruling elite. Having a mistress doesn't strike me as a treasonous act unless one is paying for such a luxury with taxpayer dollars. Perhaps if there was more acceptance of such things for those with such political power there would be less blackmail and political extortion going on among all our forms of government. Are rock stars and movie stars held in such contempt for being extravagant is such ways? I don't want Spitzer to become Julius Caesar, all I want is for that junk yard dog turned loose on the varmints (with top of the line body armor and full 360 security). Yup he may be an ugly dog but he's OUR junk yard dog and we know them from their deeds. Given the chance that nasty arrogant son-of-a-whatsit will sink in his incisors to the bone and never let go till the beast is dead. I like that. No prisoners. No mercy. The law is for chumps, not elite like Tim Geithner. Everyone who has been paying attention the last ten years knows that when a member of the oligarchy commits a crime the congress retroactively immunizes him or the President covers it up by spouting law obstructing nonsense such as "We must look forward not backward". Therefore the NY Fed did NOT send any incriminating emails to AIG. And the only rational conclusion is Eliot Spitzer, William Black and Frank Partnoy are delusional and in need of heavy medication. Tim Geithner did NO wrong and should be applauded for his patriotism and service. Tim Geithner did NO wrong and should be applauded for his patriotism and service. Tim Geithner did NO wrong and should be applauded for his patriotism and service. Say it 100 more times and it becomes the TRUTH. Exactly. It's just like that the argument that has now been espoused by Dana Perino and not Guiliani -- and I'm sure others -- that there was no terrorist attacks on U.S. soil under Dubya's watch. It's been said over and over. Now, these two may be right if it was a planned attack by the CIA, as I've heard some espouse. What is the truth? Well, in our highly propagandistic government, who knows? One thing is for sure, I believe nothing that comes from the Obama Administration anymore than I did from the Bush Administration. In any case, I tend to listen, and believe what I hear from people like Messrs. Black and Spitzer, and of course, Warren, because it jibes with what I see going on around me out there in the real world. Plus the fact that Wall Street's incredible rebound makes no sense at all. "Plus the fact that Wall Street's incredible rebound makes no sense at all." Kind of makes one wonder if the stock market isn't being "juiced" with taxpayer money. Is the Fed Juicing the Stock Market? >>Exactly. It's just like that the argument that has now been espoused by Dana Perino and not Guiliani -- and I'm sure others -- that there was no terrorist attacks on U.S. soil under Dubya's watch.<< One little bitty problem with that notion -- 9-11 happened under Bush2's watch. Gary AIG changed it's name to Farmers in my State. They just went down the hole, and Alice wont find them for 3 years. Eliot Spitzer for President! -30- Nomi Prins for head of SEC enforcement and Michael Hudson for chairman of the President's Council of Economic Advisors! Poet /sarcasm on Elito Spitzer has no credibility. He paid for sexual services. /sarcasm off you see the mug on that guy...of course he had to pay! Whatever his past moral failings were, Eliot Spitzer has the known reputation of someone who took on and successfully prosecuted and jailed Wall Street crooks. What will be most fun is to listen to whatever rationalizations those who are "the powers that be" have for not releasing such emails and making them available to the owners of AIG, the American people. Almost as much fun will be listening to explanations of why, in light of the disclosures about the role of the FED ordering AIG to suppress the details about its payments to banks during the finnacial crisis, the three trustees appointed to administer the public's majority ownership stake of AIG are all former FED officials. As I read this ultimatum it occured to me that Eliot Spitzer may, as a well-informed expert and journalist, be more of a headache to the financially corrupt in power than he ever was as either the Attorney General or Governor of New York. In his current position Spitzer gets to pose the questions others are either too distracted, too frightened, or too muzzled to ask. Wouldn't it be marvelous if Spitzer, in true Phoenix-like fashion, became the scourge all the Wall Street crooks feared he would be if allowed to remain in political power? In the hands of the right person, truly the pen is mightier than the sword and can realign the skewed scales of justice. Poet It would be poetic justice. I hope it happens. Something bizarre about the only public official going after Wallstreet shenanigans WHEN IT MATTERED being turned over to the IRS for call-girl-payments BY HIS BANK. Before the financial crisis hit the fan, Spitzer was investigating AIG. As I recall it revolved more around setting up offshore non-insurance insurance schemes to help corporations avoid taxes and collusion where insurance companies divided up business and only pretended to compete, aka price fixing. All while AIG's Hank Greenberg was at the NY Fed raising up the young-un, Timmy. If you were Rahm Emanuel or Timothy Geithner what would make you sweat? Worse than the threat of embarassment or losing office would be the thought that you would be so discredited you could not even hold down a private sector job or that you might face criminal prosecution. I think what Geithner has done is criminal--who is going to prosecute him? I am sure that Rahm Emanuel and Timothy Geithner have been guaranteed millions of dollars in consultant fees when they leave office.......That seems to be the system that is currently in place to preserve and protect the "Corporate Elite". I commend Eliot Spitzer for still trying to find the bad guys....Whatever happened to those SEC investigations that were being handled out of the offices at World Trade Center #7? Emaunuel or Geithner, I'd sweat when I relized that little red dot (lazer scope) was focused between my eyes. Nobody's going to prosecute these criminals. It may be time for a November moment. Lamp posts are just about the right height. The Russian aristocracy learned their lessons the hard way. Perhaps it's time for ours to learn theirs. Tim and Rahm, get ready. Keep fucking us and you'll get yours. The people you believe are your slaves will get their fair slice of your asses. The internal emails I want to see are Goldman Sachs, the firm that primarilly engineered the crisis by packaging corrupted MBS bonds, selling them, and then shortselling the hell out of the only index used to provide the mandated mark-to-market valuation of those bonds. The very rapid downfall in the valuation of those bonds immediately effected mortgage company balance sheets and hence their levels of debt and credit lines (and those companies were having their stock attacked by massive illegal shortselling that drove their market capitalization into the ground). For most, credit lines were immediately revoked (often by companies affiliated by Sachs or Sachs itself) and margin calls demanded. That killed many mortgage writers like Countrywide, which Sachs, Merrill Lynch, Morgan Stanley, etc., scooped up at pennies on the dollar--which was the plan from the outset. What Sachs and its conspirators didn't count on was their actions causing an implosion of the global credit markets. Yes, the FED was responsible for the housing bubble, but it was Sachs's actions that burst it--actions that were surely premediatated, which could be proven through evidencial discovery. AIG/Valic has its own set of problems, but it was only a minor player in generating the crisis and is now being set-up as the patsy. The #1 Shark is Goldman Sachs and the other broker-dealers that "managed" to "survive" the crisis. So beware of having your attention diverted from the "man" behind the cutain as that's exactly what Spitzer and company are trying to do. Don't be nice to any of the managers at AIG, especially in the derivitives branch. Jim Cramer on the "Mad Money show on Dec 22, 2008 stated that most of the early money that AIG received in the TARP bail-out went to banks in Europe. We would learn later that most of that money was used to pay off credit default swaps. It should be infuriating that so few members of Congress are calling for more investigations. One story that has popped up is that Geithner wasn't aware of any decision to create a cover-up. If that is the case it's a lose-lose situation for him. He was the head of the FED in New York and should have known where approx 80 billion dollars would go. If he knew and is now attempting more cover-up, he should be canned. I would also volunteer Ben Bernanke for a kick out the door and have him share a cell with Bernie Madoff. where is our "change to belive in"? release the CHANGE Scanning over articles I stopped and shuttered seeing "Spitzer". I knew it would be a good article. Oh how I wish this story would finally get out, that they'd be exposed. But what are we to do when the line of protection is the CIA and FBI? Too few people across America understand this Spitzer's mission. He knows the enemy, he knows how they operate and who is protecting them. I'm sure this AIG thing is so insane it plays out like fiction. Its got to be mind blowing. This Progressive, Liberal wants to thank Eliot Spitzer for his amazing tenacity and good works. May you never tire and so many of us sit and wait baited breath for day those who prey upon us are exposed and justice is served on this cartel. Again, thank you. I completely agree with you. His tenacity is the cause of his being turned in for paying a prostitute. Read the 03-11-08 WSJ article on Spitzer and know why he was targeted. About 6 months later Wall Street begins to unravel. Let's see. Because of Wall Street's frauds the country went bankrupt causing world-wide economic turmoil, throwing millions out of their homes and causing millions to be unemployed. Then there is Spitzer paying a prostitute. Which one did the most harm? Well, we know who Wall Street thought was the worser of the two in 03 of 08. Wall Street knew the attention span of this puritan-yet-sex-craved nation. More's the pity. Spitzer was the guy in the white hat. It's my understanding that AIG was in trouble for years before they fell/got caught. I don't know if it's true, but I heard that people waited for claims checks for months and months. Rumor was that AIG waited for money to come in before checks were written. I'd like to add my support for this request. OK Eliot, you have served your ten minute major for misconduct. It's time for you to hook up with someone like Gregg Palast and start laying bare the crimes of these corporate rats! Seeing that Congress isn't going to do it, a colaboration between you and Mr. Palast would probably be the most in depth investigation the American people could expect into what led to the countries financial meltdown. It's time for somebody to start kicking ass and taking names on behalf of the American people. I hope both of you will consider it! "If we understand the failure of AIG, we will more fully understand the crisis - what caused it and more importantly how to prevent it from happening again." Spitzer is of course one of the elites who promotes the fairy tales to the public, to try to confuse us, ultimately to enslave us. He understands the crisis but he isn't allowed to confirm that to the public, which has access to the truth, but fails to embrace the truth because of its opiate dependence on the elite establishment, a.k.a., Sugar Daddy. Everyone knows that Darth Viper's winks/nods during 2001 unleashed a speculation bonanza unparalleled in history. Commodities, energy, (un)real estate, and the finance-warez cooked up for no benefit whatsoever to the REAL economy and REAL people, all went ballistic in an absolute regulatory void. The rightwingers forget about this regulatory void as they try to bury its spectacular destruction. Even though, the void STILL EXISTS TODAY under the left-side-of-extreme-right Demoks. Add amnesia to their many afflictions. But please vote for them again and again and again! Sugar Daddies and Sugar Mommas! "Spitzer is of course one of the elites who promotes the fairy tales to the public, to try to confuse us, ultimately to enslave us." Actually, Spitzer is a whistle blower. Give the man some credit. FDR said, "there are 2 ways of viewing the government's duty, the 1st sees to it that a favored few are helped and hopes that some of their prosperity will leak through, sift through, to labor, to the farmer, to the small business man. That theroy belongs to the party of Torism, and I had hoped that most of the Tories left this country in 1776." A more appropriate title might be "Tip of the Scheisseberg". good to see spitzer boy back in the game. amazing, isn't it, that among all these financial scandals, the folks in new york sent him packing. only in the puritan u.s.a. would such a thing happen. it woud be like cashiering ike before d-day because of kate summerby. republican david vtter, i notice, is still the senator from louisaina, despite his repeated trysts with prostitutes. and ensign still sails the senatorial desert of nevada, throwing hush money as the sands and cacti will allow. and, if you're a known killer, like bush or mcchrystal, people will deem you a fine fella, and slap your back. better a torturer or mad bomber than someone with an outsized libido. we like to grow 'em mean over here in the usa. now, if spitzer had just killed his opponenet in octagonal cage submission fighting..... Well, the Shapiro crook head of the SEC just answered. The SEC has announced TODAY that all AIG e-mails are SEALED until 2018. FUCKING FABULOUS! What a monstrous, in-your-face bunch of assholes!
Let Your Life Be a Counter-Friction to Stop the Machine I. photo: Saint Huck%?" This is more preparation for the already in-motion depopulation of the planet Earth. When the 99% are approaching the annihilation point, and starving, desperate actions will begin. The "insurgency", "civil war", and "raging anger" will be met with deadly force and the "useless eaters" will be eliminated. This won't stop till the population of the planet is back at about two billion peasants serving the 1% who hold all the means of sustenance. Mark my words. MEL Melenns, a few minutes ago I commented with words similar to yours on yesterday's post "Someday I Want to Own a Yacht." When George H. "Daddy" Bush was defeated in his bid for a second term he announced he was going to dedicate the rest of his life to solving the most serious threat to mankind -- population growth. This, he said, had been the great motivating force of his entire life. Those of us who wrote him off as a bungling fool, as a man without convictions who in his obsession to stop population growth went ahead and had 5 or 6 kids -- we were the fools. He was not talking about reducing births. Bush and those like him, his fellow corporate-crimminal despots, are aware of the destruction being done to mother earth. They too want to leave a more beautiful planet to their privileged descendants. For them, just under 2 billion slaves is probably manageable. That means about 5 billion human beings have to go. That is what we are up against. We have now seen the NEW WORLD ORDER that Bush 41 always talked about, and 99% of us are on our way to the bottom if we are not already there. And forget the civil war. In order to have a civil war you need two sides that are somewhat closely matched. The US military has more firepower and other military infrastructure than the militaries of all other nations combined. A civil war, if it ever started, would end in minutes. When he returns from Hawaii, Obama will sign his NDAA that subjects Americans to be apprehended by military, denied due process, and shipped to gulags at home and abroad. raydelcamino, as for civil war, you're right, and we should all hope it never comes to that. Civil wars haven't had a good track record, no matter what the circumstances, because even when the names change and the death and destruction are over, the same sort of people seem to wind up on top again. At this moment humanity seems to be entering an era unlike anything experienced before. Up to now, great, violent change has been confined to specific areas, but the current crisis is befalling the entire planet, and it's doubtful any small clique will be able to keep the lid on and stave off disaster for themselves, as well as for the rest of us, without a more equitable political arrangement and some redistribution of wealth. After completing their monumental, multi-volume history of the world, the Durants were asked the simplistic "What are the lessons of history?" I can only remember two: 1) inflation is continual and 2) wealth concentrates and must be redistributed at intervals if the game is to go on. Hopefully this happens before the losers kick over the poker table and the fight starts. Violent change cannot continue to be "confined to specific areas" because the 1% have more resources to use against the 99% than they ever had before. Just as the Mexican police and military will never match the fire power of the drug lords, there is no government anywhere in the world that can match the firepower of the 1%. "Just as the Mexican police and military will never match the fire power of the drug lords" Maybe the various local drug cartels outgun the local poltizi in any one area, but they are vastly inferior in manpower AND weaponry compared to the Mexican military, which can bring to focus thousands of troops and weapons to a threat. Its all about money, control and a weak central govt. The reality is that the Mexican state has been in low level civil war and rebellion since its inception, they never consolidated their central power. Ha!!! that was good ...great explanation. If the goal is depopulation then why are the republicans so against any sort of population control -- birth control, abortion, etc.? If you look back into the history of various countries, you find the citizens reaching the edge of the cliff, and having to decide whether to meekly topple over, or turn around and fight for their lives. It's pretty obvious we're being shoved to the edge of that cliff, and "they"'re preparing in advance for when that life or death decision is reached. We've only begun the journey to the edge. There's still a long way to go, and a whole lot more suffering to endure along the way. But rest assured, we will get there, eventually. The greatest secret they have to keep under lock is Global Warming. If the public figures that one out -- and its imminent threat -- it will be over. Climate change is hardly a secret. The only flaw in this magificent piece was that the author didn't acknowledge what you also don't want to admit--that while there is a global elite calling the shots, they are aided by that 1/3 of the public that always supports the Right, and my that 90% that won't do anything until everyone else does. It IS true that the public has no idea how serious the climate crisis is. Perhaps it's FINALLY time to "occupy" the sidewalks in front of corporate officers houses and the sidewalks in front of their churches among other places. Confront them with specific things such as "XXXXX Kills Children in Somecountry by discharging chemicals into local water supplies" or "XXXX is a mass murderer - His company _______________" Let these scumbags feel public shame... let them explain to their children why people are calling them murderers and criminals... Shame them to the point that they won't appear in public. Call them out. Send them massive mailings from as many real people as possible indicting them of their crimes against humanity. Take out full page newspaper ads detailing their crimes. Holding a sit-in in front of a police line does little to nothing other than play the game by the rules THEY define. Agree re occupying their personal space -- but you won't create "shame" ... Rather it will be more like outrage and retaliation. Corporate executives have private police forces AND the "public" police AND the military working for them. My son-in-law works for an outfit that provides 24/7 security for corporate executives and he tells me its a rapidly growing industry. Show up at the entrance to their gated communities and the police line will be there in a New York minute. Right. No one sits in "in front of a police line"--rather they choose appropriate targets and shortly the police arrive to protect the elite. Yeah, they just tried this approach in Eugene, with predictable results: HB ---- the only problem with your suggestion is that these people are psychopaths. They cannot feel shame. They have no conscience. They will simply continue in their drive to dominate. Shame is not a concept that they comprehend. dh There is an alternate interpretation of the facts reported here about arming local police departments. They used to carry 0.38 cal revolvers, which were not as effective in dropping an assailant as the 9mm Glock automatics which most of them carry now. Thanks to the gun culture in this country, assault rifles seem to be proliferating. So even with a Glock, what cop would want to go up agains a guy with an assault rifle? Just a few weeks ago, where I live (in south central IN) the police went to a house to serve an arrest warrent. When they went to the basement where the guy was, he started shooting at them with an assault rifle. They were pinned down in the basement for several hours. By the time the incident was over, several police departments and the state police had men there, along with at least one swat team. That is the kind of thing police in lots of places face these days. Who would begrudge them weapons at least as lethal as those carried by the "perps?" Congress purposely didn't renew the assault weapons ban in 2004 in order to enhance the military industrial complex's weapon sales. Assault weapons don't "seem to be proliferating", they ARE everywhere in the US, play a part in most high-profile shootings (think Virginia Tech and Congresswoman Giffords, for example) and have continued to be one of the strongest US exports. Why do you think things are so bad in Mexico? Mexico is overrun with US-supplied assault weapons. Everything you wrote is correct. But what I wrote is also correct. We are writing about different things. The local cops where I live (south of Indianapolis) are often out-gunned by the guys running meth labs. The fact that the weapons the cops are now getting can be used to pacify crowds does not change that. SHEEP: Your apologia for uniformed authority figures in no way explains: 1. The tank (and other military gear, like drones) 2. The camps Nice try at setting up a new martial equivalence, and/or lowering the bar on those indignities which a so-called free society will be obliged to tolerate. That is what I would call an extreme but exceptional case. The reason I say this is that I have seen one too many individuals bringing up stories like this and such stories are usually a slippery slope towards justifying ruthless cops using bigger guns against defenseless citizens. One question to ask oneself is this. How many citizens who are arrested out of a 100 would carry anything close to an assault rifle? And what do cops really stand to gain by carrying assault rifles and dangerous chemicals to be used against protesters trying to fight for a better today and tomorrow especially when those same cops might have had a better career to go for had our system been more geared towards peace rather than war and aggression? This is what they face these days? But in the real world, crime rates have been going down. Do you really believe the cops in Fargo need tanks to do drug busts? What an interesting name you've chosen, sheepherder "But obviously the Homeland Security crowd was already thinking ahead and planning for a time when such armor and weapons would be necessary to “maintain security” and “uphold law and order” on the home front." Is it really too much of a leap to imagine that the government is reacting to events that it is projecting may happen? Could it be that the government has done studies of the future economies, populations, environmental crises, food and water scarcities, migration pressures, and internal strife caused by all these factors? Do we really believe that the various global pressures that are steadily mounting will just be taken care of and we will simply adjust to what comes? (I know, many still do). We will adjust in some regards but the severity of problems caused by 7 billion people (and rapidly rising) may very well overtake all efforts that our cleverness can muster. And isn't it prudent and wise to consider that our system is not very resilient and start preparing ourselves and our communities? ..." I like this and appreciate the author's courage in stating her feelings. Not too many have the courage to get out of their heads for even a short while and check in with the deeper part of their nature - their feelings. Anyway, it speaks to me in a different way than, "I think," or "I believe," or "I know." Bravo! We better hope climate change makes humans extinct before the 1% tortures and kills off the rest of us. The !% have had too much help from the 99% in moving us toward human extinction that a revolutions late (wouldn't succed anyway); only a global catastrophe of some sort now might prevent extinction a bit later (100yrs max!) I'm just afraid we haven't learned, never do; need DNA upgrade; calling all Aliens! TED: Your post is reasonable and sensible. However, it turns the issue in question to one primarily hinged upon population numbers as opposed to: 1. Unfair laws, and a progressive cutting of civil liberties 2. Slanted distribution that's insured that the upper 1% receive a highly disproportionate share of collective resources & privileges 3. The overall emphasis on control of citizens (in such items as spying on emails, pre-emptively infiltrating "Leftist" events, and upping the ante on punishing whistle blower) In other words, your post attempts to turn these controls into benign care & concern for citizens. That is NOT the objective, although it's certainly the pretext. Siouxrose: My post was incomplete and I can see how it could be misconstrued. That does not mean I attempted to turn the controls into benign care. The government is behaving as power behaves and I am not attaching any more meaning to it than that. What I meant is that the government is fully aware of all the events that are conspiring to hit us (as many already have) and is reacting to those events, real or perceived. That they over-react is the nature of power, especially when it senses that things may get out of hand and that its existence is threatened. The issues you enumerated are true, but the fact is that 7 billion people (and growing - let's not forget this) have a huge impact on everything. I'm not trying to implicate the 7 billion, just pointing out the levered effect of that many people. In short, my intent was, and is, to shed some light on the government's reasoning and why they may be turning up the heat. Part of it is that they feel threatened. The other part is out of a sense of paternalistic "care" on their part (not that I believe it is good). On the third paragraph, I disagree that all 7 billion people are at fault. Each nation is different and even within nations, usage of resources varies. Jennifer: I didn't fault anyone. Can we please leave the word "fault" in our pockets for a little while and see the larger picture? Seven billion people (and rapidly growing) is a huge number. Most of those people want to be like you and me, and many of those are becoming like you and me. I'm not passing judgment on the 7 billion people, I'm simply pointing out a driving factor in the pressures this poor little planet is feeling and the effect that 7 billion hungry people have. And if it's only 3 billion people who are the main cause, then it's 3 billion people. My point is that we have a huge problem and a large part of the solution lies with dealing with population...and, yes, with our consumption and waste. The rest of my point is in my response to Siouxrose. Ted, thank you for clarifying. It makes more sense now although I have no way of knowing for sure as to how many of the 7b people are hungry and the extent to which they are hungry. Learning to be less materialistic and practicing it in my daily life, I have come to prefer prevention and training for all strategies more than the "feed the poor" bandaid "solutions". I would never tell the poor to be less materialistic btw. Excellent article. The reference to Threau is also reminiscent of the impassioned speech that was given by Mario Savio during the Free Speech movement on the campus of the Univ. of California at Berkeley: "Bodies upon the gears"." Sproul Hall Steps, December 2, 1964 Agreed, excellent article, one definitely worth passing around! Quite appropriate to invoke Thoreau here, whose ideas inspired Gandhi, who in turn had an influence on Rev.MLK and others. Also, powerful quote in your comment from the "Bodies upon the gears" speech. There's this cartoon I once came across, where Gandhi is saying to Martin Luther King, "The funny thing about assassins, Dr. King, is that they imagine they've killed you!" The oligarchy's pro-life plan is to breed more workers. Their pro-death plan is to kill workers when they are no longer productive. Considering how badly the pro-life crowd treats the fetus after it is born, the model parallels that of poultry and hog operations. The elite want to turn the citizen into a consumer. And replace the citizen with their new-born son named Corporate citizenship. This new citizen will receive all the rights and protections that his daddy Wall Street can buy for him. We citizens just become one more consumer on the road to globalization. Hoa binh It is impossible to over react to the necrophilia being inflicted on the earth and all it populations human, animal and plant by the useless 1% and stupid thugs who work for them in armies and police forces. I have heard so many unable to understand the insanity of it all and the only person I know who has addressed the full measure of it is Mary Daly especially in Gyn/Ecology. Seals are now dying from radiation sickness in Alaska while Obama pushes power plants in South America, Republicans are trying to take down the head of the Nuclear Regulatory Agency because he actually wants to regulate though they need to all be dismantled. Scientists taking a brid flu that didn't infect humans and engineering it to kill humans. Brilliant! And now complaining they are being prohibited from sharing information on how to do this. The US pushing for War in Iran, the Tar Sands, the deep water destruction and the load of radioactive crap heading for the West Coast. I could go on and on. Greed isn't enough of an explanation, a poisoned environment will kill without notice of bank accounts. No, only the necrophiliac religion that is patriarchy, fueled and powered by technological capitalism, can explain the sheer sadistic madness of the sadistic madmen who rule the planet and have always hated women and nature, a suicidal hatred. The machine is the monster built by patriarchy, Mary Shelly first oracle of feminism, Mary Daly most important seer. I hear you Artemix, but the concepts you raise are highly threatening (and alien) to the majority of male (and a few female) posters. It's a shame, really, as they think all the things that ail society can be changed through the political and economic arenas. I've been recommending Riane Eisler lately, but you're right, Mary Daly is another excellent source. Peace. Sioux, how can the rest of us, lacking your spiritual and psychic powers, be sure which posters are male and female? For a long time I believed you were a Nordic male in S. Dakota posing as a Native American female shaman in Florida. I don't know what to think anymore. I admit you know the regulars here better than I, but apart from trolls, I haven't come across many commenters who seemed threatened by anything but corporate dictatorship and environmental catastrophe. The progressive humanism here doesn't seemed confined to politics and economics either. I could be wrong. Or you could be losing your mind. Are you okay? Have some posters been mean to you while I've been gone? I am sure I speak for other CD posters in saying that we see many friends, acquaintances and strangers losing their minds slowly as they continue to deny what is very apparent. Although posting our most recent observations on CD is often as painful for us as it is for many readers, we hope the fact-based information we attempt to convey will set us all free and prove to be the preferred alternative to succumbing to emotion-based groupthink. As long as Sioux's and other posters comments continue to inspire, the characteristics of posters should continue to be left to the imaginations of all CD readers. Very well said. I wholeheartedly agree that we must all do our best to stick to debating the facts and not allow anything to get personal lest a discussion ever get heated to the point of turning into a war zone. I appreciate reading your thoughtful posts. Thank you and happy new year. I'd like to weigh in on this and I am going to try not to implicate any single individual. There are many good people here, though, I really wish we could all just come out of our closets and use our real names. Trust goes a long way toward keeping some civility and honesty. Having said that, we are all feeling the heat of a frigged-up situation. These are truly Orwellian times and it's hard to know who to trust. And through all this, is it any wonder that we would contradict ourselves at times or seem confused or say things that don't really come out right? What I'm saying is that if the Left ever truly wants to have a hint of a prayer, we have to stop beating the shit out of each other for being human. We have to learn patience and respect. That doesn't mean we have to like each other or agree with everything others say, but I see many on the Left as being self-righteous absolutists. And these people share my beliefs! Trust is a tenuous thing, even more so in tenuous times. How can we ever expect to get anywhere if we don't do the things that build trust? Again, I'm not saying this in response to anyone in particular, just that your post, GollyGee, seemed like a good point to insert my nose. Rant over. ..." though, I really wish we could all just come out of our closets and use our real names." "Trust is a tenuous thing, even more so in tenuous times." Irony check! Or something darker...? Irony? Don't think so. It's merely a positive feedback loop either way, and we can build trust or continue to tear it down. Something darker? Not in this case, but the feeling is understandable. The format here is not amenable to communicating privately, which would go a long way toward building some real trust. A few posters here have decided to post with our real names in the open. In my case, it tends to keep me honest and less snarky. And by the way, if you think posting with a pseudonym keeps you hidden from the baddies, you're fooling yourself. If Anonymous can hack into "secure" sites, so can the government. Oh well, not my problem. I agree that posting with a pseudonym does not guarantee privacy. It is somewhat questionable that if everyone were to sign on with real names the baddies would go. You make a good case for the need to sign up with real names to minimize rudeness as much as possible. I have seen some posters on various forums ask for requiring people to post with their real names. I have no problem with that myself as I chose to post with my real name. Furthermore, I believe that it could put the issue of "multiple signups" to rest. However, since I also respect people's rights to privacy, I can only assume that people want to speak out and contribute but are afraid that outsiders such as their employers, certain relatives, or even pols themselves will look them up all too easily and use that knowledge against them. As for "communicating privately", someone told me that there used to exist a "hidden" option for doing so once signed on. I never saw it myself. It could help build trust or maybe not. I find it best to try to keep conversations polite even on disagreements. I cannot guarantee that it will automatically help build trust but it should keep the tensions down at the very least. "And for that epic confrontation—if it ever occurs—officers can now summon a new $256,643 armored truck, complete with a rotating turret.” That's a tank which only needs a suitable weapon in the turret. I wonder how well it would work as a bookmobile? Would the rotating turret be a good reading nook? Security from what? Security for whom? Leo Tolstoy had a theory that the primary reason a country keeps a standing army is to protect the government from the people. Good critique, but it seems to me that the proper word would be friction, not "counter-friction". Counter-friction would be lubrication. I know the phrase goes back to Thoreau's civil disobedience, but it is awkward as is the original essay in this particular metaphor. If anyone can offer a clear logical account of the segment of Thoreau's argument from friction to counter-friction, I would be impressed. Seems better to use clear contemporary language and un-muddled metaphors. Also, does this actually mean the writer is refusing to pay taxes or just asking others to do so. This is the most powerful tool available to stop the machine, but easier to propose than exemplify. Only a massive tax revolt stands a chance of bringing down the corporate military empire of the 1%. But where is the unity, where are the leaders, where is the support system? "We stand at a crossroads. Each of us must make up our own minds, in our own time. How much longer will we continue to docilely feed the machine our tax dollars, and march peacefully where they lead us?" I think the point was more like this: As a part owner of your government, through the payment of your taxes, don't you think you should "march" like you own it? Second, because the Fed is a private-public partnership, with the major banks essentially owning the right to print US Dollars sans constraints, if the IRS didn't receive a dime for 2012, the banks would just continue to tally up those Debt-Notes called US Dollars, and fire up those printing presses in response (and vigorously implement the US provisions of the NDAA soon to be signed by our President into law.) In other words, the fastest way for the masses to live in 1940 Germany, as the author describes, would be for the masses to stop paying taxes. I'm afraid you're right about the tax revolt not having any immediate impact but in the long term it will scare away 80% of the nations with whom we trade (China, Japn, Korea, Canada and others we run a trade deficit with and pay with US Treasury notes). Eventually, the 1% will find that it will hurt. A massive tax revolt will leave the IRS with inadequate personnel for enforcement. If the wage earner claims a high no. of deductions and cuts his withholding to a minimum, he doesn't have to file a return because he'll won't get a refund. I think the tax revolt idea along with the consumer refusing to buy anything but necessities, driving less, cutting off cable TV and cell phones is bound to have a marked effect. These are the only tools we have to fight the 1%. Let 'm drink oil!
updated copyright year Remove code-duplication in fsl-util.4th vs. fsl-util.fs. Also install fsl-util.fs . Bench macht auch fft-bench Android floating point stuff Fixes for Windows Gforth on Android native including install Added terminal server as socket example Library prefix is libgf for non-conflicting names Added lib prefix to library files Android library build Makefile changes to compile libraries Slightly improved $substitute to allow arguments on the stack Better separation of different architectures on the same machine Added -> recognizer to replace TO and IS Added ." recognizer Added postpone test, added smartdots.fs to list of sources Build process for Android improved Added --with-arch option to install a Gforth with a specific suffix - allows non-conflicting install with 32 and 64 bits. All non-arch files are shared with the two installs Getting closer to Android libcc.fs support Gforth for Android package into the right place for install directories Cross-compile tag installation Debian distribution creation Fixed last bug in threading Include Lm32 assembler&gforth-ec support when building distribution tarballs updated copyright years better tested quotations moved kernel_fi install place to libdir Renamed kforth into gforthker, added better heuristics on head? Added a kforth script to do the doc generation in a cross compiling environment Cross compilation made simpler - Android example works Fixed static superinstruction generation Workaround broken --no-dynamic to build Gforth even though Recognizer included added str-exec.fs to distributed files Moved installdir definitions above users. Bug report by Zbigniew Baniewski Gforth now also builds and installs without emacs (untested). Bug report by Gerald Wodni updated copyright years Changed path.fs to use string.fs to fix buffer overflow bug Added files for OpenSuSE build service keep envos.fs from being included in distribution tarballs. add mips/check_prim.c to the list distributed sources added ARM disassembler (contributed by Andreas Bolka) some fixes in the ARM assembler (contributed by Andreas Bolka) ARM assembler and disassembler are now distributed FCOPYSIGN now works with the strangely ordered floats on ARM C-based EC improved a lot updated copyright years added test and compat files for ]] ... [[ (macros.fs) optimized postpone-literal and friends started on prelude concept preludes can be built, but are not yet performed comment for r1.444: CVS files are now no longer installed. The remaining use of CVSDIRS was for installing directories, so that part was renamed and cleaned up. Makefile.in Merged Aleksej's makefile cleanups updated copyright years; related changes in administrative files Common idiom for makefile.dos/os2 Moved blank file into distributabe sources Moved r8c no_dist files to dist files Added errors.fs file in arch/r8c to distrubited files added .DELETE_ON_ERROR target for better behaviour on build errors Fixed typo for make uninstall install.TAGS bugfix set special skipcode for power architecture to work with gcc-3.[34] worked around HP/UX awk limitations by replacing awk script with gforth script put some workarounds for specific boxes into testall and testdist Fixed vmgen problem Fixed a few more builddir and other issues Improved testall and testdist (only partially tested) Fixed various bugs related to builddir!=srcdir prims2x0.6.2.fs is now installed avoid extra make for check updated testdist and testall The libcc-named stuff is now build before checking (it's not a check) The libcc-named stuff is only built and installed if libtool exists Makefile bugfix fixed some portability issues for MIPS fixed some portability issues for old platforms Fixed unused Makefile macros re-enabled installation of vmgen updated NEWS.vmgen NEWS.vmgen.future contains stuff that's not yet for NEWS.vmgen (not installed) now the use of MKDIR-PARENTS in libcc is tested Moved mkdir.fs to the normal sources (no longer a libcc.fs based file) Added Aleksej's Makefile patch added cstr.fs mkdir.fs C interface files more Solaris portability fixes another Solaris portability fix fixed documentation bugs Only those libcc files are processed for which the libraries exist The Makefile now uses an EMACS variable Eliminated most compilation warnings install gforth.el, too (suggested by Aleksej Saushev <[email protected]>) Try to make old libffi.fs work again distribute autogen.sh, too (Bug report from M. Edward (Ed) Borasky) Fixed libtool invocation in Makefile for Mac OS X anti-dependence of engine on kernel is now set by configure (if a preforth exists) Cleanup of improved build process Fixed build process. Try to get C compiler with options to work Fix for libcc.fs Fix a few building bugs fixed some bugs so "make install" works (DESTDIR still probably buggy) builds .la files on install (untested and probably broken wrt DESTDIR) added check-libcc-named target and perform it on make check The libcc-path now also contains the common libcc-named directory reworked initialization of libcc to happen on every boot added MAKE-PATH (for making an empty path to paths.fs Use make, not sh, variable interpolation syntax for bindir Another use of PREFORTH added missing (anti-)dependence removed all references to local libltdl Bugfix: make and make dist don't need pre-installed Gforth FORCE_REG_UNNECESSARY now defined automatically and used better documentation bugfix make dist now also distributes libtldl (untested) added "make maintainer-clean" (untested, and without autogen.sh for libltdl) Various "clean" targets now also clean libtldl added support for building with included libltdl missing: building with installed libltdl including ltdl in the distributed files CPPFLAGS are now used by the Makefiles bugfix in libcc.fs OPEN-LIB now can open libraries without extension and the library's symbols become global libltdl from libtool-2.2 or higher required (will be included soon) Made sure that a distribution is possible BUILD-FROM-SCRATCH now uses autogen.sh realclean now also cleans directories disabled automatic calling of gforth --diag deleted bootstrap target (hopefully for good). 'make realclean' should now make it real clean Fixed doc generating problem. minor Makefile.in bugfix Building on i386 works again added some missing engine dependencies make clean now removes the various $(OPT)-generated files removed some debugging output fixed some endless recursions Now make automatically tries a set of OPT settings after another until one is found that works. This is a pretty bad hack. Now we can use BUGGY_LONG_LONG again, as follows: make OPT=-noll OPTDEFINES= OPTOBJECTS=dblsub.o Minor bugfix bugfix <[email protected]> and cleanup Added stack comments to complex.fs Added glossary entries to regexp (but no documentation chapter) DESTDIR is now not in the INCLUDED-FILES of the installed gforth.fi install TAGS are now created correctly (untested). OPEN-FILE with W/O no longer creates or truncates files (probably bugfix) compatibility file for old code missing Bugfix in Makefile.in Inserted attribution and Copyright for ftester stuff into ttester.fs Include COPYING.LIB because of the ftester stuff split test/ttester.fs off from test/tester.fs. added support for ftester-style approximate matching. added support for approximate matching on shared-stack systems (RXRX}T etc.). gforth.el: changes for byte-compiling (from Darren Bane, see <>) Makefile.in: generate and install gforth.elc minor fixes suggested by Aleksej Saushev Don't try to distribute doc/texinfo.tex (deleted) Bugfix for <> (mostly from Darren Bane) enhanced 'make checkdoc' checkone now doesn't compare #line lines removed debugging tracer in BUILD-FROM-SCRATCH configure M4 automatically m4 is now called throug make variable M4 added struct0x.fs to dist Optimize ?BRANCH and friends with conbranch_opt (configure variable) Some work on Gforth NXT last potential problem with line editing fixed documentation changes Updates in Makefile.in to reflect newer autoconf usage Distribution and installation of libcc stuff libcc header files are now found automatically Disabled vmgen installation added missing dependency documentation changes libcc.fs is now in gforth.fi documentation changes Some stuff to get closer to run Gforth on NXT C-based Gforth EC starts to work added new files to make dist changed benchmarking code (use Gforth instead of GNU time) more assembler comment syntax variants added missing dependency for running autoheader Removed stupid machpc.fs regeneration in Makefile.in make dist patch from Josh Message-ID: <20070301220740.GA32518@qualdan> added new files to package nicer onebench output more changes for SELinux black magic Started with Gforth EC NXT updated copyright years ans-report.fs now reports CfV extensions updated Makefile.ins with engine/longlong.h dependencies Integrated and documented the PowerPC assembler. Makefile: undid change requiring gforth-fast to build first other changes for packaging added POST_INSTALL etc. tags Updated NEWS files to 2006-05-07 minor documentation changes Added texi2dvi[4a2ps] check Fixed maxdepth_.s glossary entry Multitasker for R8C running light in background moved chains.fs from KERN_SRC to EC_SRC R8C files added to distribution Build-ec setting at the right place R8C data region cleanup build-ec execution flag set Automatic fixpath Build script for EC Small changes dependence on envos.fs added Environment OS from $host_os R8C changes Better output when there are no performance problems Docdist improvement Another small fix Generate fast prim first stamp-h dependency added DESTDIR support (see Make manual or GNU standards) however, .INCLUDED is still wrong at the moment make dist fixes in makefile problems with path separator on cygwin (now Unix-like again) added compat/execute-parsing.fs updated the copyright year on many files added FSF copyright header to complex.fs fft.fs regexp-test.fs regexp.fs added fsl-util.fs to update-copyright-blacklist Added access words for wyde and tetrabyte (w/t@/!) Added complex words and fft Added some floating point primitives "..." renamed PARSE-WORD into PARSE-NAME added some test(dis)asm files to distribution Added --diag switch converted command-line editing to use xchars some bugfixes updated copyright years for files changed in 2004 moved files without distribution terms from ARCHS to ARCHS_NO_DIST added test/deferred.fs (public domain) to update-copyright-blacklist Fixed install for amd64 implemented deferred words proposal (and adapted documentation accordingly). Added # as decimal prefix disgdb.fs is now always compiled in and checks at run-time if it works added dis-gdb.fs and related changes minor changes added Athlon64 benchmark result added depth-changes.fs and hook for that in kernel/input.fs made ~~ work in interpret state documented clearstacks. cleaned up exboot.fs (allowed by the SHIFT-ARGS change) eliminated ARG# in favour of SHIFT-ARGS; related cleanups and doc changes fixed some Makefile bugs fixed gforth-native bug (branch target resolution) fixed "make dist" bug (arch/misc/optcmove.fs now included) Documentation changes added make target primtest more primtests fixed some gforth-native bugs workaround for finish-code problem activated gforth-native again some gforth-native bugfixes and changes more work on stack caching Now the _fast.i files are included for gforth-fast and gforth-native factored out some generating stuff from the makefile into gfgen added rules for generating engine/*-fast.i (not used yet) stack caching works now (at least for make check) the main change is to the optimize_... stuff in main.c also restricted static optimization area to basic blocks minor bugfixes use @INSTALL_SCRIPT@ Applied NetBSD patches submitted by Hubert Feyrer IA64 refinements (dynamic native code generation) ARM support (but FP is broken on the iPAQ, and icache flush is missing) made no_dynamic_default and skipcode configuration variables worked around fixed some minor bugs added configure option --enable-prof a bit Gforth EC work Changed Windows distribution to contain PDF instead of PostScript file Added pdf target for the documents added amd64 architecture changed some generic settings minor changes) added callback stuff to fflib.fs removed legacy flag (different usage is sufficient) made superinstructions compatible with conditional compilation of primitives (in Gforth; don't use conditional compilation in vmgen). fixed Windows PATHSEP bug Makefile now tolerates ";" as PATHSEP eliminatd some warnings Inclusion of ffcall stuff High level stuff missing Some fixes to makedist and a few changes to wf.fs) preparing for new approach to static superinstructions fixed bug in 386 disassembler (fucompp) minor cleanup bugfix (paper format) added doc/vmgen.1 (contributed by Eric Schwartz) updated version number documentation changes minor changes updated copyright years added copyright messages to a lot of files removed some obsolete or non-source files bug workaround (cygwin signal blocking) minor changes minor changes minor changes documentation installation updates Documentation changes (new: The Input Stream (gforth), Stack growth direction (Vmgen) minor fixes updated ChangeLog and BUGS now gforth-itc is installed and uninstalled documentation changes portability changes bugfixes in prims2x.fs, kernel/int.fs fixed some portability bugs and other minor bugs some changes for cygwin replaced configure variable EXE with EXEEXT (provided by autoconf by default) minor changes added test cases for f>str-rdp undid changes to copyright notices Updated copyright notices Added stack effects to kernel/input.fs eliminated all greedy static superinstruction stuff (we will use something else for static superinstructions eventually) eliminated PRIMTABLE PREPARE-PEEPHOLE-TABLE PEEPHOLE-OPT COMPILE-PRIM) Made 4stack port of Gforth EC work again Fixed look problem Added benchmarking of all engines restored the old engine/prim_lab.i format (for vmgen compatibility) introduced engine/prim_grp.i for the new use First inclusion of group-based primitive tokens (no reordering happend yet) some fixes to make make dist work bugfixes to make building outside srcdir work minor prims2x.fs bugfix (for vmgen-ex) vmgen-ex[2] bugfix made CODE and ;CODE work again refined BUILD-FROM-SCRATCH "make check" now checks all engines and some variations bugfix in forget-dyncode). New file test/float.fs FROUND-OFFSET now defined without f** bugfix in signals (disabled SA_ONSTACK in most cases to allow graceful_exit).? Getting ready for the Vmgen release New snapshot dates, various documentation changes, Makefile and configure fixes prims2x.fs now outputs #line directives at the end of the user C code documentation changes Documentation changes vmgen documentation changes documentation changes added quotes.fs in Makefile.in added regression test for signal on broken execute (not working on Linux-PPC) new error message and code for ticking compile-only words bug workaround for gforth binary (dynamic superinsts produced wrong code for ?dup-0=-branch). fixed Makefile bugs (to get BUILD-FROM-SCRATCH running again) Differentiate between threaded code and xts in gforth-ditc and in gforthmi Added benchmark result (superinstructions) for 600 MHz Athlon Made cross work again with superinstructions (requires larger dictionary) default dictionary size 1M cells machine-specific stuff for dynamic superinstructions is now in machine.h support for dynamic superinstructions for Alpha added dynamic superinstructions (currently for direct threading on 386, without checking for other platforms) Added tags generation for vi small changes on httpd for EuroForth paper Added navigation button generation via Gimp to wf Made nccomp from Lars Krueger work at least somehow simpy inlclude startup.fs in prims2x if needed cleanup, so BUILD-FROM-SCRATCH (should) works BUILDFORTH more comment minor changes vmgen-related changes in Makefile fixed FORTHB/prims2x breakage removed lit_plus added peeprules.vmg as a place to put superinstructions testdist now also tests vmgen-ex set of changes to use gforth0.5.0 to build right out of the cvs sources Made peephole a configurable option First steps to get peephole optimizing into cross profiling now outputs subsequences continued block profiling good start at profiling for peephole optimization backtrace now also works for calls done with CALL added C and primitive support for peeophole optimization added test for COMPARE more peephole optimization stuff fixed bug (?; might also be due to an Emacs change) in prim.TAGS generation. bugfix in alias? (length related) NEXTNAME can now also handle long names added FREE-MEM-VAR bugfix (complete?): backtrace-rp0 now is restored in interpret process-file in prims2x.fs now takes two xts various other chnages in prims2x.fs Improved Win32-based distribution (iss.sh generates a setup script for inno setup). make bindist now makes sunsite-compliant package names updated lsm prims2x now works on the Alpha SEE now displays anonymous words as <###> (where ### is the xt) added CONST-DOES> rewrote large parts of prims2x.fs to become more flexible (not restricted to 2 stacks, factored out common code for the stacks, etc.). Changes in other files to go with the prims2x.fs changes Added new input handling (OO approach). Only available if capability new-input is true (so setting that to false in machpc.fs gets you the old input handling back). make uninstall now deletes gforth-fast-$VERSION add kernel.TAGS dependency and target in the Makefile changed FSF address in copyright messages updated copyright dates in many files (not in ec-related files) bugfix (loadfilename# must be set before process-args) minor changes fixed bug about directory in prim.TAGS (untested) added initial ia64 support (thanks to Andreas Schwab) Fixed #fill-bytes for nested inputs Improved font highlighting Dirty fix for exboot correction (for DOS) fixed a bug updated BUGS file factored out .strings from .included documentation changes snapshot work Changed prim syntax to not make a difference between blanks and tabs. Stack effects are now surrounded by parentheses. added 386 asm and disasm BUILD-FROM-SCRATCH work with previous version of Gforth (almost automatic) Made make dist work again fixed doc bugs When building gforth.fi, there is now an exception frame after including exceptions.fs (through exboot.fs), providing decent error messages.. texinfo.tex from texinfo-4.0 various changes for texinfo-4.0 (which reports more bugs and warnings). Added engine dependencies to main Makefile Improved color highlighting Install new files, too Some corrections to httpd Started cross compiler documentation Made 4stack, 8086, and MISC Gforth-EC work again throw is now more well-behaved during initialization and before loading exceptions.fs added support for generating html straight out of makeinfo (you need v4.0 for this, so it's commented out at the moment. Unlike texi2html, the html output from makeinfo is a single monolithic file; not too great..) Bug-fix (Well, I think so..) If you do a "make" and then "su root" and "make install" and then return to non-root, the install would leave 2 files in the source tree that were owned by root - very impolite. The files were: -- gforth.fi (I solve this problem by deleting gforth.fi after an install. I think gforth.fi after an install refers to the install directory so this is a good thing to do anyway) -- prim.TAGS (because "make all" doesn't generate prim.TAGS, but "make install" does, therefore it ends up being owned by root. I couldn't see a clean way to fix this in the Makefile. I'd use "chmod --reference" to just fix up the protection but this option is GNU-specific. My backup solution was to add TAGS to the list in the doc: target, which seemed reasonable/consistent). took exception handling out of the kernel into exceptions.fs added inline exception handling (TRY...RECOVER...ENDTRY) added exception handling without affecting sp or fp (PROTECT...ENDPROTECT) context is now a DEFERed word various small bugfixes added name index to docs and support for info-lookup to gforth.el minor doc changes added engine option --appl-image and gforthmi option --application minor objects.fs changes bug fixes gforth now produces exit code 1 if it has an error in batch processing make check is now less verbose Added kernel/pass.fs Dependencies: special.fs out, quotes.fs in Changed FORTHPATH starting with ~+ instead of . Changed -O4 to -O3, since that's the highest really supported optimization for GCC (O4 is undefined) Added i686 to configure file. Added control of forth and c comments of new prims2x.fs. FORTHK now uses $(ENGINE). gforth (non-fast) now uses a plain threading scheme, making error positions more accurate minor changes prepared for snapshot, fixed some buglets moved signal handling into a new file signals.c minor changes to window size handling?) Improved dump information for magic Added code in cross.fs to support new magic Fixed makefile problem with cp (cp -p to preserve date) there is now a debugging version of the engine that maintains ip and rp in global variables (to allow backtrace on signals). The debugging engine is called gforth and the original engine is called gforth-fast. fixed Makefile bug (engine/Makefile is now remade when necessary) fixed siteinit.fs-related problems Install process fixes for DOS and OS/2 EC primitive count fixed EC relocate problem fixed doc/gforth.txt is not included in the dist adjusted man page fixed a few small problems (mainly with bindist) Fixed Makefile.in for empty emacssitelispdir variable fixed some bugs and problems new solution for make dist fixed a bug in generating magic Separated distribution Makefile (works only with gmake) Changes to make gforth run on DOS and Win32 (I hope it's not broken by the latest Makefile.in changes) Some minor tweaks fixed some problems (mainly for separate source and build dirs) gforthmi is now generated from gforthmi.in by configure fixed several installation bugs in Makefile.in) Made Makefile.in dist-able (removed the two outdated files) updated dates in copyright messages inserted copyright messages in most files that did not have them removed outdated files engine/32bit.h engine/strsig.c updated NEWS file added doc/gforth.txt to distributed files. removed f0 fixed problem with dependence on config.h.in (not well tested). Removed the make -C parts for other makes. Also tried to avoid multiple right side % rules for same reason. Fixed config.bat (no startup.dos, no history.dos) Fixed a lot of problems from the wordlist structure change (I hope we had not omitted the "wordlist-id" in the first place). fixed "make clean" removed config.h.in from .cvsignore. changed deletion of html/ tree changed document structure a bit) Several fixes and typos I forgot to check in until recently Documentation additions (not completed) Default path now has "." in front Worked a bit on the documentation fixed handling of "." in open-path-file (now also works with "." from the path) fixed some bugs in arch/power/machine.h make targets now use --die-on-signal Added missing doers.fs and getdoers.fs Mega-Patch; lots of changes Added some Benchres entries fixed small bugs in Makefile and arch/mips/machine.h LEAVE fix in see.fs one dvi: entry too much in Makefile.in renaming and fix in debug.fs Bug fixes, consistency improvements, added lib.fs jwilke's changes: Moved many files to other directories renamed many files other changes unknown to me. doku change bumped the version number to 0.3.1 gforth-makeimage now makes an executable file and uses $GFORTH documentation changes fixed bug involving locals and recurse fixed bug in Makefile.in added outfile flushing before error message fixed Makefile.in typo Improved DOS/OS/2 support fixed some portability problems of Makefile.in Added DOS-gforth-makeimage Changes for DOS fixed a few Makefile bugs (make clean) renamed blocks.fs:flush-file into flush-blocks fixed bell bug (now flushes the output) documentation changes fixed key? problem on Win32 Minor fixes. documentation changes: added chapter on image files; added concept index bug fixes added PRIM_VERSION to primitives checksum computation. added and documented environmental queries return-stack-cells, stack-cells, and floating-stack. fixed make test for 64-bit machines. fixed another marker/locals bug. fixed convsize bug (now sizes >2048M are possible). changed default sizes to be more cache-friendly.. bumped version number to 0.2.9. added --offset-image option, comp-image.fs, and changed Makefile to make a relocatable image gforth.fi from two nonrelocatable images. added UNDER+. fixed a few bugs changed version number to 0.2.1 Added ans-report.fs objects.fs Some fixes to make it run on non-Unix systems fixed some small Makefile bugs Replaced config.guess config.sub with versions from Autoconf 2.10 added FORTHSIZES configuration variable checked and fixed "make bindist" and "make clean" added --version and --help small bugfix Fixed problems with different search methods. Hash now doesn't patch it's own search method into vocabularies anymore. First try to port gforth to OS/2 Some bugfixes Made PATHSEP a configure variable "make dist" now works minor bugfixes made path separator OS-dependent (';' for non-Unix) renamed use-file to open-blocks reintroduced FUZZ (for non-Unix) Documentation changes Building in a dir different from the srcdir now works a few bug fixes Steps to make 0.2.0 dist-ready. fixed bugs in code.fs added primitive threading-method fixed create-interpret/compile such that "' word >body" works as expected documented some defining words SPECIAL: to create special "state-smart" words minor changes make dist now consistent with new files improved mmul (both dblsub and primitive.fs replacement) Corrected ( so that it eats multiline comments in files (as recommended by ANS Forth) Fixed two shellscript bugs in configure.in and Makefile.in. the GCC variable is now conserved across config.status runs restore-input now works only within one input source and complains otherwise make test now works from scratch final touches on the system documentation requirements and Performance). make clean & co. now work as advertised Some documentation changes Added benchmark results Tried to work around if clause in Makefile.in Small bugfix in sokoban added site-int.fs and, more importantly, support for it. Fixed bugs in SPARC CACHE_FLUSH fixed a bug in the unit conversion in main.c "make bench" now also works on 64-bit machines documentation improvements some documentation changes added make targets "bench" and "uninstall" strerror.c to SOURCES make targets bindist and binonlydist configure now checks the cell size and chooses the image accordingly fixed a few bugs and documented others added required and require added [ENDIF] added MARKER small changes in configure.in and Makefile FORCE_REG stuff to decstation.h added man page * added configure mode for DOS-Makefile: configure -target=i386-<anythinh>-msdos<anyversion> creates Makefile for DOS. * checked in some mminor changes which never were checked in. * added special startup file for DOS * Changed package a bit * New INSTALL file * hash.fs didn't do a good job with 'cold. added package target to Makefile.in some documentation changes * Promised, but forgotten Makefile changes *!!!
updated copyright years \ paths.fs path file handling 03may97jaw \ Copyright (C) 1995,1996,1997,1998,2000,2003,2004,2005,2006,2007,2008. \ include string.fs [IFUNDEF] +place : +place ( adr len adr ) 2dup >r >r dup c@ char+ + swap move r> r> dup c@ rot + swap c! ; [THEN] [IFUNDEF] place : place ( c-addr1 u c-addr2 ) 2dup c! char+ swap move ; [THEN] Variable fpath ( -- path-addr ) \ gforth Variable ofile Variable tfile : os-cold ( -- ) fpath $init ofile $init tfile $init pathstring 2@ fpath only-path init-included-files ; \ The path Gforth uses for @code{included} and friends. : also-path ( c-addr len path-addr -- ) \ gforth \G add the directory @i{c-addr len} to @i{path-addr}. >r r@ $@len IF \ add separator if necessary s" |" r@ $+! 0 r@ $@ + 1- c! THEN r> $+! ; : clear-path ( path-addr -- ) \ gforth \G Set the path @i{path-addr} to empty. s" " rot $! ; : $@ ; : next-path ( addr u -- addr1 u1 addr2 u2 ) \ addr2 u2 is the first component of the path, addr1 u1 is the rest 0 $split 2swap ; : ; : pathsep? dup [char] / = swap [char] \ = or ; : need/ ofile $@ 1- + c@ pathsep? 0= IF s" /" ofile $+! THEN ; : extractpath ( adr len -- adr len2 ) BEGIN dup WHILE 1- 2dup + c@ pathsep? IF EXIT THEN REPEAT ; : remove~+ ( -- ) ofile $@ s" ~+/" string-prefix? IF ofile 0 3 $del THEN ; : expandtopic ( -- ) \ stack effect correct? - anton \ expands "./" into an absolute name ofile $@ s" ./" string-prefix? IF ofile $@ 1 /string tfile $! includefilename 2@ extractpath ofile $! \ care of / only if there is a directory ofile $@len IF need/ THEN tfile $@ over c@ pathsep? IF 1 /string THEN ofile $+!@ move r> endif endif + nip over - ; \ test cases: \ s" z/../../../a" compact-filename type cr \ s" ../z/../../../a/c" compact-filename type cr \ s" /././//./../..///x/y/../z/.././..//..//a//b/../c" compact-filename type cr : reworkdir ( -- ) remove~+ ofile $@ compact-filename nip ofile $!len ; : open-ofile ( -- fid ior ) \G opens the file whose name is in ofile expandtopic reworkdir ofile $@ r/o open-file ; : check-path ( adr1 len1 adr2 len2 -- fid 0 | 0 ior ) >r >r ofile $! need/ r> r> ofile $+! $! open-ofile dup 0= IF >r ofile $@ r> THEN EXIT ELSE r> -&37 >r path>string BEGIN next-path dup WHILE r> drop 5 pick 5 pick check-path dup 0= IF drop >r 2drop 2drop r> ofile $@ ;
updated copyright year added quotations to image, and documented them Bootstrapping bug fix: use old version of glocals unless USABLE-DICTIONARY-END is deferred updated copyright years Removed dependencies on old postponer, added .recs in look.fs to print recognizer stack Recognizer included updated copyright years Moved SWORD WORD out of kernel (it's now not used anywhere but in tests). Replaced use of WORD in [DEFINED] with PARSE-NAME updated copyright years added test and compat files for ]] ... [[ (macros.fs) optimized postpone-literal and friends documented ]] ... [[ added and documented ]]L ]]2L ]]FL ]]SL minor changes; no longer document [COMPILE] added triple-backslash to end of file Better factoring: split out run-prelude started on prelude concept preludes can be built, but are not yet performed updated copyright years; related changes in administrative files Updated version number and date added TH added FKEY. SIMPLE-FKEY-STRING fixed README.vmgen typo updated copyright notices for GPL v3 updated copyright years changed >OUTFILE ... OUTFILE< to OUTFILE-EXECUTE changed >INFILE ... INFILE< to INFILE-EXECUTE added BASE-EXECUTE related documentation changes added RESTORE and IFERROR, deleted RECOVER (undocumented) updated copyright years added >OUTFILE ... OUTFILE<, >INFILE...INFILE< and use it in ~~ documentation changes documentation changes added /W /L added UW@ UL@ (W@ and L@ are now aliases for them) documented UW@ SW@ W! UL@ SL@ L! added more extension query answers updated the copyright year on many files added FSF copyright header to complex.fs fft.fs regexp-test.fs regexp.fs added fsl-util.fs to update-copyright-blacklist Added regexp stuff Documentation changes: added wordset info for many words, and pronounciation for a few added documentation about key names for EKEY worked around texinfo 4.7 restrictions (old assignment macros broken) Added "Explicit stack access" docs to vmgen docs bugfix: 'X is never a double bugfix: 0.009e 5 2 0 f.rdp now outputs 0.01 (not 0.00) added workaround for bootstrapping on old kernel refactored text interpreter to make return stack words work within a line replaced parser, compiler, interpreter, ...-notfound by words with an appended "1" updated copyright years for files changed in 2004 updated documentation for new error format (but did not document mark-start and mark-end). moved TYPEWHITE out from the kernel. Fixed uninitialized defers in cross added stuff to compile new sources with old kernels uninitialized deferred words now give a warning when executed implemented deferred words proposal (and adapted documentation accordingly). added and documented usage of $GFORTHSYSTEMPREFIX to SYSTEM eliminated the now-unused (does>1) documented disasm-gdb documentation bugfixes) added LATEST, replaced uses of LAST @ with uses of LATEST renamed LASTXT to LATESTXT, and changed the uses made >NAME the primary name for >HEAD documentation changes updated copyright years updated ChangeLog and BUGS now gforth-itc is installed and uninstalled documentation changes converted ans-report.fs to absolute branches changed comments for f.rdp etc. bugfixes and improvements for f.rdp, represent, and friends added F.RDP F>STR-RDP F>BUF-RDP added ]] ... [[ fixed compile-only error message disabled long long on PPC (buggy in some gcc versions). implemented EXECUTE-PARSING-FILE (new-input only). made CODE and ;CODE work again Added compat/strcomp.fs, introducing STR=, STRING-PREFIX?, and STR< replaced most occurences of COMPARE with STR= and STRING-PREFIX? added str= and string-prefix? New bug reports. added slurp-fid; documented slurp-fid and slurp-file. bugfix in f. (thanks to Doug Bagley). moved SLURP-FILE from comp-i.fs to stuff.fs various changes in prims2x.fs added CONST-DOES> documentation make bindist now makes sunsite-compliant package names updated lsm prims2x now works on the Alpha SEE now displays anonymous words as <###> (where ### is the xt) added CONST-DOES> changed FSF address in copyright messages updated copyright dates in many files (not in ec-related files) texinfo.tex from texinfo-4.0 various changes for texinfo-4.0 (which reports more bugs and warnings). Fixed (my earlier) errors in the documentation of Standard search words in search.fs. Minor documentation tweaks in the other files. Various minor documentation changes to match the latest gforth.ds) First try to port gforth to OS/2 Some bugfixes changed bahviour of system (no longer returns wretval, but puts it in $?) added (system) ( c_addr u -- wretval wior ) changed close-pipe (now also returns wretval) changed calls to strncasecmp to memcasecmp?.
The Royal Horticultural Society (RHS) has upgraded to Compellent Storage Center 5 and is using its Portable Volume component to cut replication times by 80%. The portable disk drive product allows the RHS to fully back up production data totalling approximately 5.5 TB every two days from its central London headquarters to its Vauxhall disaster recovery (DR) site. Previously, the organisation used Compellent replication over its wide-area network (WAN), which resulted in backups being weeks behind due to insufficient bandwidth. Compellent Portable Volume is an external disk drive product that mirrors the logical unit number (LUN) structure of production and secondary storage-area networks (SANs). The product allows users to copy data to its volumes, physically transport them offsite and move data over to mirrored LUN volumes at the DR site with no further configuration. Martin Taylor, converged network manager at the RHS, said Portable Volume successfully addressed a situation that could only otherwise be resolved by spending a lot more money on the organisation's WAN link. "The problem we faced was replicating to the DR site via a limited WAN connection," he said. "We're a mid-sized organisation and a charity. If we had money to throw at a bigger WAN connection we would, but this way of doing things cuts replication time down by about 80%." LinkShare deploys 3PAR tiered SAN to cut costs, power consumption Online marketing business LinkShare deployed 3PAR InServ Storage Servers in its virtual data centre to support increased activity during the holiday shopping season. LinkShare chose tiered InServ arrays to handle heavy traffic over the period and expects to save up to £125,000 per year on administration costs while also cutting data centre footprint and power consumption by 50%. The InServ arrays' autonomic storage management capabilities dynamically distribute workloads across array resources and reduce storage administration time. DataCore boosts virtual disk capacity to 1 PB Virtualised data storage vendor DataCore Software has increased the size of its virtual disks from 2 TB to 1 PB. The DataCore product – which also incorporates thin provisioning – allows users to create RAID-enabled SANs from commodity and distributed direct-attached storage (DAS). The company expects to offer up to 2 PB capacity in future. Gridstore launches clustered NAS Network-attached storage (NAS) vendor Gridstore has launched the beta of its new NASg storage platform. The Gridstore NASg platform virtualises existing NAS or NASg storage nodes into a single pool of storage to eliminate single points of failure and boost network and processing efficiency. It helps eliminate server network bottlenecks by utilising parallel IO to the storage nodes. NASg also aggregates processing power across a grid of client machines to eliminate server-based processing bottlenecks. Modern Networks gains top APSP NetApp rating Hertfordshire-based reseller Modern Networks has achieved the level of Authorised Professional Service Partner (APSP) with NetApp, which is NetApp's highest professional services partner status. The APSP accreditation will enable Modern Networks to offer professional services in addition to its existing NetApp storage solutions portfolio. With the accreditation, Modern Networks will now have access to the same tools and methodologies used by NetApp professional service engineers. PoINT releases v2.0 of tiering tool German vendor PoINT Software & Systems has released Version 2.0 of PoINT Storage Manager. The product allows users to manage tiered storage on Windows NTFS-based systems and NetApp FAS products. The product migrates less frequently used data from high-performance drives to more cost-efficient media.
Novell: 'We're not SCO' and we won't sue Novell promises no legal action after its patent victory By Elizabeth Montalbano, IDG News Service | Published 07:30, 15 August 07 Novell has promised not to sue anybody over the Unix copyrights that a US court last week ruled against IBM. Lowry said the ruling means "the cloud has lifted over Linux." Users and distributors of the open-source OS finally can breathe a sigh of relief that they are not in violation of Unix copyrights. "We don't believe there is Unix in Linux," Lowry said. "We've been fighting that all along. It wouldn't be consistent for Novell to say, 'Oh gosh, now that this has been confirmed, we're going to suddenly take a different position' and sue companies for copyright infringement." The Friday ruling doesn't mean the company's legal entanglement with SCO is over. There are still several claims before the court that will go to trial next month, and one of them involves payments SCO received from Microsoft and Sun for Unix licences. If the judge rules that those companies paid SCO for Unix copyrights owned by Novell, SCO will have to pay Novell whatever it earned from those licences, Lowry said.. One thing seems fairly certain: Friday's ruling sinks SCO's case against IBM once and for all, a point Linux proponents were still celebrating yesterday. SCO can't appeal the ruling until the trial is over, and the company has not decided if it would do so. In a statement on its web site, SCO said it is exploring how it will proceed once the legal process of the case is concluded. Lowry declined to speculate on how the ruling will affect that case and others SCO is still embroiled in with IBM, AutoZone and Red Hat. Both the AutoZone and Red Hat cases had been put on hold until the IBM case was resolved. Attorneys in the SCO-IBM case have until the end of the month to present what claims are still pending now that the Unix copyright claim in the Novell-SCO suit has been resolved. Another case, which SCO brought against DaimlerChrysler for copyright infringement, was dismissed in 2004. "It's over," Pamela Jones, founder and editor of Groklaw, said of SCO's battle against Linux. "SCO couldn't find any infringement even when it had access to the entire copyrighted code base. No one else will find anything either." Groklaw is a web site that follows open-source software legal issues Linux proponents are turning their attention to Microsoft as the next front line in the battle to protect Linux, she said. "Microsoft is the next SCO. They positioned themselves that way with their patent sabre-rattling," Jones said, referring to Microsoft's claims earlier this year that Linux violates more than 235 of its patents.."
Looking for legal jobs? Starting a career in legal? Your online job search begins at ConnectCV - Connecting you to the best employers! Search or browse for legal jobs, sign up and use our leading resume builder or check out our news section for employment news and information, job search advice and career guidance to help further your legal career. Need a legal resume? ConnectCV can help with our range of sample resumes. Check out our sample legal resumes. Key Responsibilities:Needs to have previous legal knowledge: pleadings, summons, briefs, & complaints. Must be ... typist, computer, phone.Experience Required:Previous legal experience: must know how to work w/pleadings,...> Great opportunity to break into Legal field! Single practice attorney seeks legal secretary. HS Diploma/GED required. ... Employer will train on legal duties such as preparing and processing legal documents. Set appointments and other...> ights Division, US Department of Justice. Following established guidelines, gathers, prepares, summarizes relevant materials for use by attorneys in preparation of opinions, briefs and other legal documents; summarizes depositions and...> answering phones and filing Assisting with proofreading legal notices as requested Requirements:Professional typist ... ALM offers unmatched access to key audiences in the legal community?from managing partners, litigators and...> NAHUATL LANGUAGE INSTRUCTOR (FEDERAL LAW ENFORCEMENT) ABM Government Services has a future opening for a Nahuatl Language Instructor. The responsibilities of the Nahuatl Language Instructor include, but are not limited to, provide foreign...> law firm north of downtown Minneapolis is looking for a Legal Secretary to provide coverage for an upcoming ... of litigation experience including advanced knowledge of legal documents, legal terminology and civil procedures.> Successful and thriving company located downtown is looking to add to their team Monday Friday 8 00am to 5 00pm Paid weekly Benefits after 60 days Candidates will be expected to Provide support documentation for drafting...> and/or public company experience * Demonstrated extensive legal corporate finance experience * Demonstrated extensive ... for Owens Corning, its management and board. * Legal / Business Acumen: Able to assess and communicate legal...> Position Position will provide attorneys and clients with legal and administrative support services for effective ... drafting and preparing legal correspondence, conducting legal research and maintaining a case management/tracking...> ability to comprehend and interpret complex laws, legal documents and policies. Working knowledge of mathematics ... college or university in criminal justice, corrections, legal concepts, a related field, or equivalent applicable...> Sign up for free today and you'll be creating a fantastic resource you can use your whole career for free!
Republicans met last week in Alexandria to nominate two candidates for delegates in the 45th and 46th districts. Corporate consultant Chris Gregerson of Alexandria is running in an area many consider a safe one for Democrats, the 45th District. Gregerson said he is looking for a statewide solution to the woes of local homeowners faced with rising property taxes. "The root cause of it is that agricultural counties in the state are poor and we end up paying more for the cost of schools and state services for them," said Gregerson. "The solution is to raise the wealth of the poorer counties." A retired Navy officer and a Vietnam veteran, Gregerson now works for Booz Allen Hamilton. By diverting more state and federal funds to rural Virginia, Gregerson said, Virginia can further develop its economy and lower taxes. "What I'm really trying to do is keep your money in your pocket," he said. But Gregerson said he also wants to see new jobs moving to Virginia's agricultural regions. Companies with large staff, he said, should be encouraged to move from cities to the countryside. "Why can't they work in the poorest counties in Virginia?" he asked. One potential source of revenue for rural Virginia, he said, is biomass fuel. Gregerson said if the House passed legislation to designate Northern Virginia as a special renewable fuel zone — a region where vehicles like dump trucks and buses run on gas made from organic materials — rural Virginia could profit from helping to reduce smog in developed regions where roadway traffic is heavy. "If we create the demand for this fuel, agricultural counties can grow the materials used to make it," he said. In his local community, Gregerson chairs the board of Communities in Schools — a nonprofit group that partners teachers and residents in 28 states to raise student achievement. A tutor at George Washington Middle School, Gregerson said legislation supporting community involvement with schools is of paramount importance when it comes to raising the bar for students. His recommendation is a match-up program placing students with tutors who can meet their academic needs. "Teachers are masters at determining where their students' talents lie and what areas they need help with," said Gregerson. "That kind of community support would make them biased towards intervention so they could get the right kind of help for students who need it." Gregerson also said he wants to "open up the school system to more competition" by creating more magnet schools and offering more options to parents. On his bid for office, Gregerson added, "What I want is to go to the root cause of problems. I don't want to see us continue to put band-aids on them. Instead, I want to find solutions where everybody wins and everybody advances." ALSO IN THE 46TH District, real estate executive and former advisor to the Bush White House Matt Mueda of Alexandria is running against longtime incumbent Brian Moran. Transportation is Mueda's top concern for the region. The House, he said, should seek to pass more legislation to reduce the number of cars on the road by offering incentives to companies that allow employees to telecommute. "Mass transit is going to be an integral part of the solution but, quite frankly, some people are not going to give up the luxury of driving," said Mueda, who has advised both Presidents George Bush Sr. and Jr. on transportation policy. "We have a long way to go to convince a lot of people to use mass transit." Mueda said widening local highways and putting more HOT lanes — express lanes that ask motorists to pay a toll — must be part of the discussion. Once a firefighter in Fairfax County, Mueda said Virginia also needs to look at improving resources for emergency workers, resources like better radios. In too many instances, he said, firefighters, police and rescue teams have trouble talking to each other because the radios they use are not compatible. "I haven't seen much to build more effective communication for first responders, not just inter- jurisdictional communication but also communication with their own departments," he said. As of the Arlington Connection's press time, results were not in for the six-candidate primary held June 14. The winner will contend with Gregerson for the 45th District seat, long held by Del. Marian Van Landingham (D). "I'm hoping we can make a difference in this race," said Chris Marston, chair of the Alexandria Republican City Committee. "Republicans in Arlington, Alexandria and Fairfax are fired up."
Living about 8,000 miles away from home, it’s hard to believe Episcopal’s Given Kalipinde and Yao Sithole say they don’t miss home all that much. Then again, watching them comfortably answer a reporter’s questions over the din of teammates teasing them about the game that just ended, girlfriends, weird looking clothes, and whatever else teenagers think is worthy of postgame fodder — all while the senior duo suppresses their own laughter — could be enough proof for their claim. “The team doesn’t look at us as outsiders, they just look at us as one of the guys,” said Sithole, a 6-foot-5 forward from South Africa. “They joke around a lot, but they’re great guys.” Kalipinde and Sithole aren’t the average transfer students that attend the Alexandria boarding school. Each came to Episcopal before their junior year from the Durban Boy’s School in South Africa and have transformed the athletics scene on campus. They were the two leading scorers on last year’s basketball team that finished with a 16-8 record, its best finish since a string of state titles in the late 1990s. The duo followed that up this fall as key members of the Episcopal soccer team that went undefeated and won the Virginia Independent School League state title. Kalipinde was even named All-Met Player of the Year as a result. Heading into a Friday night showdown against IAC-leading Georgetown Prep, Kalipinde (23 points per game) and Sithole (12 ppg) are poised to propel themselves onto the basketball map — not that they haven’t been globetrotting for quite some time. “We’ve been together for awhile now, and we just kind of see ourselves as brothers,” said the 6-foot-3 Kalipinde, whose Episcopal team vaulted itself into the IAC title conversation with a 77-65 upset of second-place Landon Tuesday night. <b>AS SITHOLE TELLS</b> it, he and Kalipinde hit it off right away when they were back in South Africa. Sithole had already been attending Durban Boy’s School for a few years when Kalipinde arrived from his hometown of Lusaka, Zambia — that country’s capital. Sithole is originally from a rural area of South Africa, but as a child moved to Pietermaritzburg, South Africa — best known for an 1893 incident when Mahatma Gandhi was kicked off a first-class train car for being Indian, prompting him to fight racial discrimination there. Both Kalipinde and Sithole were stars for the Durban basketball team early on, which led a coach to suggest they attend an NBA-sponsored program called Basketball Without Borders in the summer of 2007. There, they were surrounded by some of the best high school basketball players from Africa as well as NBA coaches and players like the Lakers’ Luke Walton and the Spurs’ Bruce Bowen. “From then on playing in Africa, there wasn’t that much competition because a lot of people play soccer and those camps challenged us,” said Sithole. “Basically we started working harder because we knew there are a lot of people out there that could play basketball.” Also at the camp was Jeffrey Goodell, the director of counseling at Episcopal. He thought Kalipinde and Sithole were perfect for a school like Episcopal that features students from 17 different countries. Both qualified academically and once the duo’s coach in South Africa got in contact with Episcopal coach Jim Fitzpatrick, the rest was just a matter of getting to America. “We looked at the school and said, ‘Hey that looks like a good opportunity for us to not only better ourselves as basketball players, but also better ourselves academically,’” said Kalipinde. <b>THE CULTURE SHOCK</b> of going from Africa to a buzzing suburb of the capital of the free world would be daunting for anyone. For Kalipinde and Sithole, used to “lots of black people” and traditional South African foods like goat, the transition was made easier as roommates. “It kind of just became easy going through everything together,” said Kalipinde of how he coped with all the changes in his life. “I think school was hard at the beginning because it was a different schooling system than what they were used to over there,” said Fitzpatrick. “But immediately from the day they stepped on campus, they’re nice, humble people and everybody loved having them there. Basketball and soccer have just been a plus.” The duo’s soccer coach at Episcopal, Rick Wilcox, said the connection between the two was apparent from the get go. In the beginning of the 2007-08 school year when both were scheduled to arrive, Kalipinde got held up in South Africa with visa issues. So Sithole came to Virginia several days ahead of him and began practicing with the Maroon soccer team. Wilcox said he could tell Sithole was not at ease and very introverted those first few practices. But when Kalipinde finally arrived several days later, Sithole “instantly became more comfortable,” according to the coach. “Now, students just gravitate to them because they’ve got these really warm, nice personalities.” <b>ON THE COURT</b>, the love is mutual. Kalipinde and Sithole may be the catalysts, but they are by no means swaggering superstars that seem to highlight the AAU scene around here. Sithole says sometimes the two “just make eye contact” on the floor and know exactly what the other wants to do having built such a connection over the years. But next season that will change. Sithole is undecided on where or if he’ll play basketball at an American college, but Kalipinde’s journey will continue on to Los Angeles where he will play in the backcourt for Division-I Loyola-Marymount. He could have played major-conference Division I soccer as well, but full scholarships are rare in that sport. Ask him what he’ll miss most about his two years in Alexandria and Kalipinde thinks back to the first time it snowed. Surprising for someone whose hometown has an average yearly temperature of 78 degrees Fahrenheit. Then again, he never really missed home in the first place. “When I was back [in Zambia], I was kind of dreaming about all this,” said Kalipinde. “The last time I realized it, I was like, ‘Hey, we’re in the U.S. and we actually had this dream of coming here and trying to make this opportunity work.’ And it’s a great feeling right now.”
NEW YORK (AP) — The three men charged in the deaths of two firefighters in a blaze at a contaminated, condemned ground zero skyscraper say they're scapegoats. Prosecutors say the men are to blame for disregarding and covering up a major safety hazard. A judge was expected to rule Friday on whether to toss out manslaughter and other charges against Mitchel Alvo, Salvatore DePaola and Jeffrey Melofchik. They are the only people facing criminal charges after a fire that led city officials to acknowledge oversight mistakes. Alvo, 58, DePaola, 56, Melofchik, 48, and the John Galt Corp., which was helping to take down the former Deutsche Bank building, have pleaded not guilty. If convicted, the men could face up to 15 years in prison. The building — just across the street from the World Trade Center's south tower — was heavily damaged and filled with toxic debris when the tower collapsed into it on Sept. 11, 2001. A laborious process of dismantling the now government-owned building has taken years. On Aug. 18, 2007, a construction worker's careless smoking sparked a fire that tore through several stories of the building. Firefighters contended with a roster of hazards, including deactivated sprinklers, blocked stairwells, an air system that was supposed to control toxins but ended up concentrating smoke, and a break in a crucial firefighting water pipe called a, Galt's director of abatement, and DePaola, a Galt foreman, ultimately had a 42-foot-long section of the standpipe cut up and removed from the building, according to prosecutors. Melofchik, hazards and failures that prosecutors and city officials have acknowledged. "Why are they scapegoating a few defenseless people at the bottom of the line?" Melofchik's lawyer, Edward J.M. Little, asked a judge fire department hadn't inspected the building in more than a year, although it was supposed to do so every 15 days. Other city and state regulators also had been in the tower on a near-daily basis but didn't report the hazards. But Morgenthau said prosecuting officials would be fruitless because governments are generally immune from criminal prosecutions. The city agreed to fire safety reforms, and Bovis agreed to pay the firefighters' families $10 million in a memorial fund. Copyright 2010 The Associated Press. All rights reserved. This material may not be published, broadcast, rewritten or redistributed. Barrington Broadcasting is a member of the AP Network.
By Tony Hicks Contra Costa Times All you 49ers fans may not care for my opinion, but I have a lot of respect for Baltimore Ravens' linebacker Ray Lewis. He's one of the greatest linebackers to ever play the game, and he's retiring after the Ravens play the Niners in the upcoming Super Bowl. He can still play at a high level, and he wants to go out on top. I really respect that. But I won't miss his dancing. Let's clarify: I won't miss him dancing on the field. Ray Lewis' retirement may be sad for fans of great defensive football, but retiring that dance is nothing but good for humanity. Lewis does this silly shimmy-shimmy-slide thing, and he's been doing it a lot this postseason. Watching it makes me think that he's about to have some sort of seizure. Though, to be fair, it's not even close to the celebration routine made famous by 49ers defensive back Merton Hanks, whose "chicken dance" made chiropractors all over the United States wince. I guess the good news is Lewis isn't singing while he's dancing -- as far as I know. Good steps But the celebratory football dance is part of our culture. And there are players who got it right. For example: Billy "White Shoes" Johnson made the end zone celebration an art form in the 1970s. His routine included some sort of back-and-forth movement with his knees that is now seen routinely among bad wedding dancers. Even when he was playing against your team, The '70s were a glorious time for celebratory dancing in the NFL. Butch Johnson of the Dallas Cowboys used to drop to his knees and do some sort of pistol-shooting routine that strippers have emulated ever since (not that I know what strippers do, but I hear things). According to some accounts, the first pro football end zone dance came Nov. 18, 1973, when Elmo Wright of the Kansas City Chiefs caught a touchdown pass and busted some high-stepping celebratory moves (he had actually started the practice in college). Ever since, guys have been trying to outdo each other. End zone dancing evolved to where Deion Sanders was throwing moves people would actually emulate on a dance floor. Team dancing The idea grew over the years to the point where, in 1984, the Washington Redskins would do group celebrations in the end zone. Of course, the Redskins were also involved in the only touchdown celebration that nearly caused a player's head to fall off. That was in 1997, when quarterback Gus Frerotte celebrated scoring a touchdown against the New York Giants by ramming his head against a wall, which caused him to sit out the second half with a neck sprain. The 2000s saw the end zone celebration reach incredible new heights. In 2002, the 49ers' Terrell Owens scored against the Seattle Seahawks, pulled a Sharpie out of his sock, signed the ball, and gave it to his financial adviser, who was in the stands. That same year, Owens scored against the Green Bay Packers and borrowed a cheerleader's pompoms to celebrate. The next year, Joe Horn of the New Orleans Saints scored against the New York Giants, spiked the ball, then sauntered over to the upright, where he pulled out a cellphone hidden in the padding and called his children. He was fined $30,000 by the NFL. Still, it was glorious. Ray Lewis has had an incredible career, even if he was no Billy "White Shoes" Johnson. But forgive 49ers fans if they hope he doesn't get to do any dancing in his final game. In fact, that would be more than OK with even those of us who aren't 49ers fans. Contact Tony Hicks at [email protected], at Facebook.com/BayAreaNewsGroup.TonyHicks or at Twitter.com/insertfoot.
By Anne Marie Fuller Correspondent SAN RAMON -- His name is Batman. His coat is dark as night, and he has a souped-up vehicle that he flies about in -- and on occasion, you might even see him in his trademark cape. Batman the dog is no superhero -- but his rescuers say he needs one. The little dog, a Formosan mountain dog mix, is an immigrant to America. Batman was flown here from Taiwan a few months ago by rescuers in San Ramon who hope he can have a second-chance life in the United States. Hit by a car in Taiwan and left for dead, the dog now known as Batman dragged himself into an alley and lay there for days before being found and taken into care. His spine was crushed, his legs were useless and he was given a bleak prognosis. Now in a wheelchair, Batman has gotten a second wind and has begun to show signs of progress. And his rescuers hope someone will step up to adopt this dog and take on the challenges of his special needs. Batman was relocated to California by Love & Second Chances of San Ramon. Melody Chen, founder of the dog rescue group, heard about Batman's case from friends and raised the $1,400 needed to fly him over. "When the dog was first discovered, he was taken to a local veterinarian there," Chen said. "They did the initial surgery on him but said his chances of being adopted over there were not good. They put the dog into a foster care system with other dogs and left him in a small area by himself. "I knew he would Batman has been undergoing physical therapy at the UC Davis veterinary school, including water therapy. And Love & Second Chances bought two wheelchairs for him. Also, the rescue group made contact with OrthoPets in Denver to have custom leg braces made for his hind legs. The rescue group, which has applied for nonprofit status, was able to raise enough for only one leg brace (between $600 to $800), and OrthoPets donated the other. "After hearing what Batman had to go through, my team decided to take on this case," said Amy Kaufmann, owner of OrthoPets. "He has shown the will and determination to get through those tough circumstances. We felt by helping him with some devices, it would strengthen him even more to enjoy an active lifestyle. "Batman has truly come so far, and it would be awesome if he could go even further and have that normal life he deserves." Despite his injuries, Batman flies around the home of his foster mom, Anjolie, a veterinary student at UC Davis. Anjolie asked that her last name not be used for fear of harassment by some who might say a dog like Batman should be euthanized. Taking care of a dog like this has many challenges, but it doesn't faze Batman. "He isn't aware of his limitations," Anjolie said. "Batman is so playful, happy and gets along with other dogs. He even tries to wrestle with them. He loves to play fetch at the park." Part of the job of caring for him is helping him with therapy and fitting him with his wheelchair when he goes out. Soon, putting on his braces will be part of the routine. Batman wears a diaper indoors, but Anjolie takes him outside to relieve himself. She helps by applying pressure to his bladder to empty it. "When Batman is not in his wheelchair, he scoots himself all over the place; he's like a comedy character. He will get his own toys and bring them to you," Anjolie said. "When people think paralyzed, they often think that means he can't move," she added. "Yet he's very mobile. He has learned to spinal walk: This is a reflexive type of walking, where his hind end does a walking motion. The special leg braces will help him even more with this." His rescuers estimate the dog is about 3 years old. He weighs about 30 pounds. Batman has already built up quite a fan club, with well over 1,000 likes on his own Facebook page, book.com/helpbatman. The page documents Batman's journey back to health and features a video of him running in his wheelchair and playing with other dogs. Love & Second Chances is now looking for a special caretaker to adopt Batman and is waiving its regular $250 adoption fee. Two wheelchairs and two custom leg braces will go with Batman to his new home. Since the group began in January, Love & Second Chances has adopted out 60 dogs and currently has 18 in need of homes. "I started as a personal rescue and created a blog to post things," Chen said. "It started to grow from there, and now we are an official full-on rescue group with about 20 fosters. I like to have at least one special-needs dog to help and also a few medical-needs dogs." A video of Batman and profiles and photos of the other adoptable dogs may be viewed at the group's website, chances.com. Contact correspondent Anne Marie Fuller at. Love & second chances Information on fundraising for Batman and profiles and photos of adoptable dogs can be viewed at. Batman's Facebook page:.
U.S. DOE joins The Green Grid The DOE and The Green Grid signed a memorandum of understanding to promote energy efficiency in IT. By Consulting Specifying Engineer Staff On Sept. 18, Alexander Karsner, U.S. Dept. of Energy (DOE) assistant secretary for Energy Efficiency and Renewable Energy, joined John Tucillo of The Green Grid, Beaverton, Ore., at the New York Stock Exchange to sign a memorandum of understanding (MOU) to promote energy efficiency in the information technology sectors. The memorandum focuses on developing best practices and guidelines for improving energy use in data centers. Last year, data centers used 1.5% of all electricity in the United States, DOE said. Although data centers form the backbones of the information economy, they consume a growing amount of energy. The Green Grid is a consortium of information technology companies seeking to lower the overall consumption of power in data centers worldwide. For more information on DOE's memorandum with the Green Grid, click here . In other DOE news, the agency signed an MOU to increase cooperation and energy efficiency in China's industrial sector, which accounts for 70% of the country's total energy demand, DOE said. This memorandum follows discussions from the third U.S.-China Energy Policy Dialogue held this week where the United States and China agreed to conduct audits to increase China's national, regional, and local energy efficiency. The Industrial Energy Efficiency Cooperation MOU signifies the United States and China’s intention to promote energy efficiency at energy-intensive factories that will reduce greenhouse gas emissions. The memorandum states that a DOE team of industrial energy efficiency experts will conduct on-site plant audits of the production process and plant energy systems at up to 12 facilities from the top 1,000 energy enterprises in China. DOE will provide tools to conduct the plant audits and train factory personnel on plant audit techniques. These facilities must have the resources and feasibility to implement energy-efficient improvements identified by the DOE and National Development and Reform Commission teams. DOE subsequently will conduct a comparison study of these Chinese enterprises and U.S. manufacturing plants to identify differences in best practices. The MOU also may serve as a conduit for American companies to export environmentally superior U.S.-made equipment and services to China. DOE will host training sessions in the United States to help familiarize Chinese officials with U.S. energy saving laws, policies, advanced energy saving procedures and technologies, and best practices for management personnel tasked with saving energy. Training will be offered to government personnel, energy-saving supervisory and monitoring personnel, energy policy research personnel, and officials who manage big energy consumption enterprises. DOE also will provide demonstrations for highly efficient boilers, fired heaters, and combined heat and power units. To learn more about DOE's memorandum with China on energy efficiency, click here .
Family Hotel Myrtle Beach: A Multitude of Options Four words should describe your next vacation: family hotel Myrtle Beach. Remember a time when you would hold a conch shell to your ear just to hear the crash of the ocean? A visit to Myrtle Beach allows you to enjoy the real deal! Myrtle Beach offers the best in beach fun, attractions, and live entertainment on the East Coast, offering up a wide variety of family friendly hotels and resorts jam packed with amenities, family packages, and the best of accommodations. Myrtle Beach is a prominent vacation destination on the coast of South Carolina, bordering the rough and tumble waters of the Atlantic Ocean. As part of the sixty mile stretch of sandy shores known as the Grand Strand, it remains the perfect family-friendly vacation destination, offering everything from boogie boarding to horseback riding in the surf. Because so many resorts and hotels offer kid friendly activities, water parks, and playgrounds, parents can come to Myrtle Beach for the rest and relaxation they need, while still giving their kids the vacation of a lifetime! Speaking of keeping the kids busy, Myrtle Beach is also packed with an assortment of amusement parks, offering oceanfront water parks that’ll super soak any kid, as well as classic roller coasters and Ferris wheels. But while the kids are enjoying the theme parks, parents may enjoy the many live theaters of Myrtle Beach, with a variety of shows including rock concerts, plays, and opera. Adults may also be interested in the wealth of golf courses, outlet malls, fine dining establishments, and specialty boutiques found throughout the area. All the activities available in Myrtle Beach rouse quite the appetite in any person, especially those with family. Fortunately, the dining opportunities in Myrtle Beach are unmatched, including everything from five star dining to family oriented feasting! With so many choices of dining in the Grand Strand area, it’s rather easy to get overwhelmed. Luckily, reviews and descriptions of local restaurants are plentiful, especially online. It is also worth noting that some of the best seafood in the world can be found freshly caught right off the Atlantic Coast in the restaurants of Myrtle Beach. If you’re a seafood lover, there’s no better place to partake. So when is the perfect time to visit? Myrtle Beach can be a year-round destination, but be aware that summer weather may not follow you to South Carolina. Outside the peak season of May through September, South Carolina weather can be finicky with temperatures dipping to the mid-sixties and a high likelihood of rain. Luckily, many resorts offer heated pools to draw vacationers during all seasons. It’s also worth mentioning that family vacation packages may be discounted during this time, saving you a bundle while still offering sand, surf, and a mild southern climate. Presenting itself with sixty miles of sandy beaches, entertainment for everyone (kids included), the best seafood off the Eastern seaboard, and so much more, Myrtle Beach is the best vacation destination that any family could ask for.
Download a complete Dun & Bradstreet Business Report on Signature Apparel Group, LLC in the State of New York. Click below to order a background check on Signature Apparel Group, LLC in the State of New York While dealing with a new business associate, client or potential new business partner, you should have the following information about them in the Dun & Bradstreet Business Report: - Financial history of the company including expenses and earnings - How long has the company been in business? - Turnover of the company - Is the company public or private? - How many employees does the company have? - Executive profiles and contact information - Who are the competitors of the company? - Are there any legal issues with the company? What happens if the company loses the lawsuit? - What type of products or services does the company offer? You may find it difficult to find answers to all the above questions. Nevertheless, these are important. Therefore, you need a solid Dun & Bradstreet Business Report. With our Dun & Bradstreet Business Report service, you can get up-to-date company background information and a complete credit history of the company you intend to deal with. Using our Dun & Bradstreet Business Report services, you will able to: - Minimize the risk while dealing with new clients as well as existing customer base: Our Dun & Bradstreet Business Report will give you complete information on the credentials of the client, credit rating, the strength and the weaknesses of the potential customer, chances of fraudulent activities, the financial viability of the business etc. Thus, with all the information at your fingertips, there is no reason for you to get involved in a risky business if the Dun & Bradstreet Business Report does not look appealing to you. - In addition, you will also get accurate information on your existing business clients. If there is any change in the financial status of your existing client, you will get updated information instantly using our subscription alerts. - Our Dun & Bradstreet Business Reports are compiled by people who are experts in their specific industry. For example, if you are dealing in financial products, your Dun & Bradstreet Business Report will be generated by experts in finance. Thus, our reports have an edge over the others business services and will highlight the facts that call for special attention. Our analytical reports are in a league by themselves. - With our Dun & Bradstreet Business Report, you can subscribe to information on a particular industry, or a geographical region such as North America, England, entire Europe, and Asia, based on how your operations are spread across the globe. - If you need information on specific companies, we would be happy to oblige. - Our Dun & Bradstreet Business Reports also provides stock quotes, details on board members and their contact information as well as web links of the company. With the help of our Dun & Bradstreet Business Report services, you will have all the required information on your prospects. Therefore, when you meet these prospects you know what points and qualities can get you the best deal. In any business, information is the strongest of all weapons. Business empires can be won or lost based on the business information contained in the buiness report. Therefore, enrich you database and gain a cutting edge lead by subscribing to our Dun & Bradstreet Business Report services today.
According to (at that time) adopted Statute of the JTC, training programs were targeted towards judges, judicial assistants and court trainees, as well as other staff employed in the courts’ administration and courts’ guard. Main task of the JTC, according to this Statute, is training of judges and other above mentioned target groups in the fields of new legislation, international standards in different legal areas, modern methods of conducting judicial work and organizing court managment, foreign languages, computer skills, etc. JTC organized its first training activity named 'Enforcement of the Law on Executive Procedure' on 22nd December 2000. During first year of its functioning, JTC tended to respond to the needs of judges which were recognized by the editors of the JTC programs (judges of the Supreme Court) and also through filling the questionnaires by other judges. Training on enforcement of the Law on Executive Procedure was organized. This law was causing certain problems in practise at that time. Series of seminars named 'Civil Procedure Code - Efficiency of the Procedure' were organized in Podgorica and Bijelo Polje with the purpose of improving the efficiency of trials in accordance with the Council of Europe standards concering the right to a fair trial. Series of seminars in the field of substantive criminal law were organized for criminal judges, and also series of seminars named 'Criminal Procedure Code in Practise' began. JTC has organized really many different training activities so far (seminars, round tables, workshops, courses, regional conferences, study visits, publishing and similar). Reports on JTC training activities can be found at the page of this web-site named 'Activity reports'. According to the JTC evidence on participation in its training activities, huge majority of Montenegrin judges participated in these activities (aprox. 90% - also see research on judges and judicial assistants and their training at the page of this web-site named 'Publications'). In addition to providing participation of judges in its own activities, JTC also helps judges to participate in many other activities which are completely organized by other organizations, or where the JTC is one of the co-organizers. When conducting trainings, JTC always tends to take practical approach. This anticipates analyses of the case-law, discussions and solving practical problems. Active participation is encouraged and trainings are organized for small groups of trainees (20-30 participants). It should be stressed that JTC has so far cooperated with significant number of relevant partners (European Union/European Agency for Reconstruction, Organization for Security and Cooperation in Europe-OSCE, Council of Europe, Foundation Open Society Institute-Soros, Checchy and Company Consulting, Inc./USAID, UNDP, etc.). In the field of human rights training and training on standards of the Council of Europe, JTC cooperates with organizations which are specialized for offering this kind of training. Primarily with the Council of Europe, then also with the AIRE Centre from London (Advice on Individual Rights in Europe), CEDEM (Center for Democracy and Human Rights from Podgorica-Montenegro) and similar. It is extremely important to emphasize that in April 2006 Law on Judiciary Training was adopted. Its implementation started on 1st January 2007. This law introduces many important novelties when training of judges and prosecutors in Montenegro is concerned. Text of this law and also text about it, can be found at the page of this web-site named 'Laws and other legal documents'. All the other useful information about JTC, as well as all our publications, can be found at the other pages of this web-site. We are, of course, at you disposal for any eventual comments, questions or sugestions. Kind regards! JUDICIAL TRAINING CENTER OF MONTENEGRO Call for expression of interest to experts The Centre hereby publishes a call for expression of interest to all interested parties who consider themselves experts in specific legal and other related areas. The Centre will enter all applications into a database of potential experts. There is a possibility that the persons who apply to this call may be hired by the Centre as lecturers in different training programmes for judges and prosecutors. Eligible applicants include both national and foreign entities, as well as judges, public prosecutors and lawyers. Full text of the call for expression of interest is available here
>> Very interesting, as always. I like some of it, but not other bits. I would like the library a lot lighter. White glossy wood. Brighter carpet, lighter furniture. To me the black and dark are very oppressive. The hall and the library are almost too big. They look like a hotel, not a house. But then, I live in a tiny house, so everything seems HUGE! loved your insight on this home... home psychology... what a cool major that would be... my favorite room was the kitchen... loved it me thinks this couple has some great but simple meals prepared there with the freshest of ingredients. Another great job Dr. Webb ! Home Psychology 101...can I sign up Mrs. Webb? You'd be the best professor I ever had!!!!!! This house is so interesting. The kitchen is my favorite room but I love the library. I like the rug and the leather. Every room can't be seagrass and white slipcovers. LOL Although, in your hands it would indeed be perfectly done. Can't wait for your library post. A house shrink - Dr. Webb it is! Great imagination. Too bad the 'burbs of Houston are so dull. You are "spot on" about brown leather sofas, orange floors, honkin' TVs - it's the average home of Houston: yuk! I would absolutely KILL for the yard(s). And, the kitchen - swoon worthy. Thanks as always for the eye candy. I love the glossy black staircase and the study!! So unexpected!! It's a very serious, elegant look--but to me, it's a little disjointed from the rest of the house. The kitchen and nook look like they belong in a different house---especially with the large clock which is almost humourous---quite the opposite of those dark oil paintings and daunting law books. I think she did get some help from a designer. But with a short-leash and in a very "controlled" fashion. ;) Fun read!! So glad I took a break from my nightly Olympics marathon to read this post and enjoy the home! So fun to imagine the couple you've described. Hope you don't come to my house via the miracle of the internet - My decorating philosophy is a honkin' TV in every room! Joni, I think you are right on! I am a Realtor... totally agree..so much on the MLS.. so boring.. we agents try to encourage the sellers as MUCH as possible to re-vamp so our pics INVITE the public in...GREAT POST .. I do like the breakfast room..I am of the more casual sort.. I did like the collection of chairs.. Dear Joni, I think you are spot on! I can't imagine having a house full of children and no TV - so definitely empty nesters. My favorite room was the breakfast room - gorgeous. But the black library with white slipcovers and seagrass would be stunning - so would bright red leather chairs with nickel nailheads, white flokati rugs. Very fun! Yeah, I've been waiting for your next post. Again, you did not disappoint. While I am all too familiar with MLS, we've owned 11 houses so far, they were not in such stately homes. I had some comfort in our first house when I realized that huge gorgeous homes were not necessarily so gorgeous inside. I'd want to eat with the homeowners in the kitchen on that big beautiful farm table. I also love the breakfast room. I agree that the house is a little disjointed, but obviously very much to the owners personality. Lovely indeed! Can I eat my meal in the library? Or actually can I just live in the library? It looks so cozy- I dont think I would ever come out of there! The kitchen is my favorite! Love it!!! You gave me quite the chuckle reading through your analysis. Hope your class isn't full, professor....I want in too!!! :) I think the house, garden and rooms were created by the owners with things collected throughout their life, either from family or bought impulsively. I think I see acedemics...maybe literature or law, but I see a professor here. I am reminded of a home here...the wife was European and a gourmet and the food was...lasagna with spinach pasta the wife had made and with a cream sauce... I want to go here...often. I want a casual meal in the kitchen and dinner in the dining room. And I want to see what books they read. This was delicious. Joni, you and I are two of a kind. Your description of the process that you go through when finding real estate gems is EXACTLY what I do when I find an intriguing listing. I am always speculating on why people are moving...and I love to solve the mystery. Great post! This is definitely a house of empty nesters. No children anywhere to be seen...so no grandchildren yet. It is too dark and not pulled together enough for my taste, yet there are some beautiful touches and I love that rock crystal chandelier. In fact, I like most of their lighting. I wonder why there are no pictures of the bedrooms? I adore the kitchen but it seems disjointed from the rest of the decor to me. The kitchen seems in tune with the exterior of the house and the gardens, while the rest of the interior seems separate in feel. The front garden area is simply wonderful! Joni, very well done. I do this all the time. Like you, I pore over the upscale realtor's websites, and so much of it is just this neo-palladian-tuscan meets wedding cake confection I just cannot stand. This was a Normandy breath of fresh air. I'm over the moon about that front garden. I despise cookie cutter front yards of all grass and azaleas and crepe myrtle (not that I hate those plants. don't forget publicdata.com in your little arsenal of research! You little Lois Lane you! Still, I think you forgot the part where there is no front door because no one is coming to see the man who defended the biggest criminals of the century and how they are moving to Darfur to atone for their ill-gotten gains! (rant mode disengaged) Fabulous post, I love your home psychology game - you're good at it! Loved the house, even though it's about five houses rolled into one with very little continuity from room to room. They don't care, because when they built it they incorporated little bits of all of the places they've lived in and loved over they years. You see...they lived abroad for many years, he's a writer and she majored in art history, they met in Moscow, never had children, they're selling the house because moving back to the U.S. just isn't what they thought it would be. They miss their eccentric European friends, they're going back. Oh my...I'm liking this game you've created. I am absolutely cracking up! I found this house on HAR a few weeks ago and was dumfounded myself- I checked out owners on HCAD also (did I really think I would know them???!!!). The kitchen is amazingly unique... the breakfast room looks like a Salem, Massachusetts diorama (think "Bewitched" set- Ugh!). Joni- I call HAR surfing a "sport"- it drives the realtors crazy! Nothing unique or "mysterious" about their job anymore. How much fun to check out how other people live and decorate. Keep "surfing" my friend because I love all of your clever postings!!! Joni, I love the library and the door in the kitchen! You are right, this house is so atypical Houston. The garden is really unusual. Looking forward to your library posts. I've always wanted one of my own :-) LOVE th kitchen and the glossy paint hall and library. Gorgeous. Beautiful exposition on this home, it made my lunch thoroughly worthwhile! That is one unusual home, but it's fun to see such a unique space. I was expecting Vincent Price to be sitting in the library in one of those huge leather wing chairs! All that black paint intriques me--they're brave to coat the entire room with it. I agree with you about white slipcovers--it needs some light. I'd like the library better if the bookcases were slightly smaller/lower so the walls could be dark but the bookcases and window trim could be cream or white. Great post, as usual!! Interesting to imagine the house decorated by totally different hands. What a different vibe it would give off. A house can (and should) show the owner's personality and these homeowner's are indeed intriguing, Professor Webb. Nothing more boring than a professionally decorated house that reveals nothing about the people living there. What a Great Place! Loaded with personality and I'm with you, love the kitchen and breakfast area. I would say the owners are comfortable in their skin! Great post and photo's. Thanks! Love the house. So different-I love it when people take risks and they pay off. Especially like the dark hall and library, BUT as the new owner you'd probably have to repaint the entry hall unless you had a huge art collection- the paintings make it work. LOVE the architecture and gardens and that fabulous kitchen. Yes, the decor is 'off,' but the good bones are there. Such potential! And your psychological profile sounds spot on to me! -Lana Love it! You are spot on! I wish there was a close up of the kitchen sink... that kitchen was my favorite room, the pantry door, the lived-in feel... it's simply divine. You are right about 'no designer'... a designer couldn't mismatch that perfectly if they tried. That top picture is so sad... the diagonal arrangement of the rug and furniture makes me crazy and those 'high water' window treatments are soooo sad. You can tell they were like "what are we going to do with these arch top windows?" Great post! erika Ka-pow! Knockout post....love slipping into someone else shoes like that. Yea, I played real estate agent for a while and there are so many pottery barn blahs without personality... but this house is something else. the kitchen is wonderful...the library is cool, but felt like a Havard Club. Just not my taste. The gardens are sweet and no grass to mow! Hot damn. love it. Great post Joni, you made my morning. Ha! Fun post...scary, but fun. I know it's all public info, but Yowza! Loving the architecture and the outside...they even have bananas! Is that common in Houston? Not loving all of the interiors...really don't like the wall treatment. But some gorgeous rugs....and a lovely, comfortable kitchen indeed! wow, I love that entry area and the front yard - magical!!! The other interiors are lovely if not quite my taste. YOu need to go tour the home and pretend you are on the market! That way you can see the upstairs and further test your diganosis! I love the library. As a Midwesterner, I'm guessing it's all about cool and dark — the opposite of Houston outside the windows. If you are not familiar with it, David Hicks' library was very dark, though quite small, so it is much more cozy. We have bookcases in almost every room in our house: white in a pale guest room, cherry in my husband's "study" with dark gary walls (Woodcut by Benj Moore) and a black bookcase in my sitting room which has dark furniture, red walls and green trim. Can't wait for your library post. I have files and books devoted to the subject in prep for turning the family room into the main library. I think of the other ones as branch libraries. I remember seeing this house when it first came on the market. It makes you feel like you're in a little French or English village, not in the center of Houston. I also love the glossy black staircase and the kitchen. Oh Joni, what a great post. That top photo is just so sad. All too typical, unfortunately, of what the average McMansion owner thinks is great. I sense that the husband was involved in this design via the horrible brown leather pieces and that the wifey did the window treatments after getting a quote from a real designer for actual window treatments. I love the 2nd home, especially the landscaping and the kitchen. For some reason the kitchen reminds me of the Weasley's kitchen in Harry Potter - I think it is the long table.. Wonderful post, Joni. I definitely think there's a psychology to homes and decorating. The kitchen and breakfast room are wonderful and look very authentic. Great find on Houston's mls! If you had a library that big you might not leave even to get your Starbucks! Love the snooping - keep it up. Jackie I wanted to post before reading the other comments, so as not to be further swayed in my analysis (shrink hat on). He is a Commander/Demander. He may walk soft but it isn't a stick he carries rather a cannon. The one slain never saw it coming and never dies rather left with ruin. She knows the game. She plays it well. She loves art, music and is eclectic in her life, as you correctly assume. She is a mystery. She is quiet and busy. Living on her own terms, as does he; a good match, odd match but it works for them...at least for mow. The house is definitely a designers work. A reflection of him with a soft indulgence for her in pink and eclectic. I agree, they don't entertain formally. Perhaps they entertain close friends individually and for a purpose, but not the typical diner club. I can't think of a more mis-matched room than that dining room. Looks as though NO one every goes in there and if they do it's family. They let the designer make the curtains, throw up a sconce or two, but nothing more. They may have cocktails with friends in the library or her room, but it would be rare I think. The entry way was HIS and she won the right to arrange the stair artwork and family (?) portraits. Education is important to them. She lives in parts of the mansion and might be happier in a cottage on the lake in Austin with a large music studio and vast walls to display art. I hope they priced that house a bit below market. Obviously He cares little for what his neighbors may think and certainly makes no nod to tradition or propriety, as he IS the Joneses. Fun game this House Psychology. This post was a thrill for me. I was a sociology major in school, with an emphasis on psychology. I once did a paper on how I could read a person's character and personality from seeing their home. I got an A as I remember and it is still a *game* I play even now. This is a sophisticated couple but not snobbish at all. They appreciate art, music and the theater and travel quite a bit. They are comfortabel with themselves, each other, their closest friends and family. They love their home. It is their haven and respite from the world. Well educated and well read, with a good sense of whimsy thrown into the mix. They adore Europe and have traveled (Perhaps lived there for a time) there extensively but love being home best. They love good food and cook at home quite a bit. Never afraid to try something new and always have a delicious wine to compliment the courses. It is a well loved and lived in home. Each new ding and stain just reflects a life well lived. Nothing is too frou frou not to be lived wit. Family pieces have been passed down from generations and still admired. I adore all the dark colors but that is just me. I know many who disagree with that. I find them soothing and cozy, no matter the season. The kitchen is to die for and is stylish yet a true home kitchen. I loved the beginning of the post. So many home I see on the realtors lists look the same. I swear they all shop at the same stores. Look here...I have &^*&^$ amount of dollars, now show me 4 rooms and I will take thenm all. No thougt or personal style involved. I have known so many who have done just that. of course, they come here and I know my home makes them dizzy. I have heard the statements, "How did you know thus would go with that?" or "My, you do like strabge things don't you?" a time or two. I love a home that has been put together over years, not weeks. These homewoners did just that... Many huge homes here are on the market because the people just overextended themselves. Many have little furniture in them at all. They bought the big house and had no money to make it a home. Thank you for another wonderful post Joni! I loved it. Love, Sue What a fun post! You had me laughing out loud at being a web detective; I partake in the same sort of "snooping." The first room you showed was truly awful. Definitely a la "Rooms to Go." Love, love, love the Normandy house. I agree with those who think a designer was involved, but maybe that's because I'm unable to put anything together on my own. My favorites from the house were the rug and curtains in the living room and that beautiful piano (or perhaps it's a harpsichord or virginal - how cool would that be?). And that library... wow, oh wow. I love all the dark paneling - think they're very much in keeping with the period of the house. The only things I didn't care for were the window treatments in the dining room and the stain color in the kitchen. But, honestly, I could move right in and not change a thing and still be in heaven. Thanks for sharing! This was a fun and interesting post. As much as I love this house -- I was more intriqued with your mention of your interior doors painted black. I could hardly sleep last night, thinking about that. Could you share some photos of your black doors? This might be my next design project in my home! Thanks, -shirl Very interesting. House number one says divorce to me, or bachelor. Maybe it's sexist of me, but no woman I know would ever pick those Superbowl couches. And I agree with everyone who thinks someone involved with number 2 has an affection for things European. I'm amazed the house is only 4 years old. It has a very individual personality, and it seems hard to imagine that people would put that time in and then move on. But I still think it could be the product of a great collaboration between designer and homeowner and landscape architect. Has anyone checked with Vervoordt? In any case, while it is a bit noir, I love it, and the magical garden leavens the subdued tone of the house. Well, you KNOW I was gonna love all that gloss and gild! Completely LOVE the foyer/staircase/library. WEll, not huge on the library furnishings/carpet, but everything else is quite enjoyable. I'll be the voice of dissent here..... I think they worked with a designer, however,kept him/her on an as per need basis, but the relationship fizzled towards the end. There aren't enough 'touches' to make it look professionally done through and through, but I have a strong feeling that someone who knew a thing or two about finishes and hanging artwork came in :) Just my .02 Andrea V. Fascinating and fabulous post as usual. I love the library also - especially love how dark it is which surprises me as I'm usually into more light. What I can never understand is why new homeowners can't see past the paint selection on the walls or the existing furniture. Come on people if you don't like the red living room you can always paint it! My favorite is the exterior with the crushed stone pathways. I know that staging homes is a very big business and there are definitely many homeowners who really could use this service. However, this home doesn't need any staging IMO. It looks comfortable, well used and loved. Look at that kitchen! Lovely style and feels like you're in the middle of the Provence! But with a bit of American style also!, lol... Very interesting post, Joni. I believe you are very close in your idea of the owners. I spotted that fabric swatch too. She wants to lighten the mood with some updating of the room, perhaps. I wonder, too, why they are selling. A young couple in our development is selling their home, that is only about 4 years old. It's a gorgeous home, pool, pool house, recreation room/bar in lower level. I had an odd idea they would not live there long, from the beginning and guessed the reason it's selling before I heard about it. Divorce is the reason for it being on the market. Not decorated/furnished at all. It is a home/house built for partying. We believe one of them wasn't a partier. Alas, it's on the market. Just some neighborhood "gossip" from, Pat PLEASE tell me why I can't hang my dining room mirror horizontally. I have a very long buffet and hanging it horizontally works but after your commetn I wonder.... Okay Joni, I'm ready for you to set up an analysis blog for interiors! We can send in our photos of our home and be "analyzed". Sort of a house horoscope! What FUN that would be for US! When I saw the FIRST photo, I feared you thought it a room worth investigating and worried you'd "lost your touch". Relief that it was not so. :) As for your assessment, in THAT price bracket, it's hard to tell if the rooms truly reflect the owners or what the owners WANT us to think about them. But it's fun to hypothesize! Exquisite. Joni, you should give the link for the listing and save us the hassle of going through house after house to find this beauty. I enjoyed your assessment. I am curious about your "paint doors black" comment. I am contemplating such a thing. Can you recommend a paint color and sheen please? Dee Hi Joni, I was referring in my post to the photo of the first room - the lovely brown sofas and chairs et al - I think I must have made it sound like I thought there were 2 houses... You are the first designer to post on my website. I may be finished driving again for awhile; today I went to Calico Corners to pick up some samples for my living room... You should have seen my tractor when I was driving over the road. The bunk had custom bedspread, lovely sheets and a feather bed. Many pillows. The other drivers (very few actually saw it) loved it, even the men. It was a fabulous adventure and I miss it a lot. I loved the freedom of it. You get to spend a great deal of time by yourself, and that works for me. I listened to a lot of books on tape and a lot of NPR. I didn't make enough to afford XM Radio, but found I really didn't need it. I love driving - still do and if someone needs for me to drive them I'm ready. I was driving the wheels off my car and just decided one day to get a commercial driver's license (CDL) because I like big trucks. After a couple of months of school and living with my trainer in a space the size of a small walk-in closet for 6 weeks I was off on my own as a solo driver. I went to 42 states in 2 years. I designed rooms in my mind and buildings to build in the future. The best part may be that NO ONE can micro-manage you. That is something that just makes me crazy. And the older I get the crazier it makes me. love that glossy block woodwork in the library and entry- it's a brave and bold move, and it completely works. the faux finish above the wood in the entry, not so much but hey- it's not my house. love the crashed stone on the exterior paths as well- so perfect. and joni- you have a great ey for detail- the french door hardware is lovely. in a photo, i doubt i would have noticed, but as a designer, i know that's the kind of thing that in person makes a room special... I think you are right about them not socializing much. The front of the home looks as though they are trying to hide from the rest of the world. The entrance is pure wow factor and it connects to the style of the library perfectly, they might not have had an interior designer work on these two rooms but they for sure had custom wood work done by a specialist. Upon seeing the drawing room I got the feeling that yes this was all passed down in the family...... the house, furniture, etc., and it almost seems like there is someone that is dictating that they leave everything alone, possilby the person who passed the furniture to them? I also see a couple of modern paintings in the drawing room, so someone is trying to express something? I think the kitchen and breakfast area was done by a designer. In Tennessee designers are always doing a mix match of chairs in the breakfast areas. Also the sweedish farm look and modern lighting strays from the classic english antiques and style they have in the rest of the home. One thing for sure is that when you step onto this property you truly go back in time. Lovely post. Wow, what a difference from the usual ugly brown stuff, and so much nicer than the staged decor you see everywhere. I love all the art, and the antique furniture. I would love to cook and share a meal in that kitchen. And I love that library, although I do see how the seagrass and white upholstered pieces would be an improvement. Thanks for the tour! xoxo, Mary Loved this post!!! That first room looks like an ad staged for Costco or something. Awful. Anyway, this was a fascinating read! Thanks. I love beautiful rooms through the eyes of an "unprofessional" photographer (whether from a real estate agent or you) because the rooms seem more real, somehow. Like another reader, I'd love to see the bedrooms! And I agree with you about the seagrass and white in that library. My opinion is that if she's looking at fabric samples, there is not a divorce-- wouldn't that be the last thing on your mind? Maybe he got a business opportunity they couldn't pass up to spend a couple of years in France or London? Or the 130 year old mansion they've always been madly in love with FINALLY went on the market and they just have to get in there and renovate it... I often wonder why people sell their beautiful houses as well. I really don't have a strong opinion on this one - I'd say they are probably moving because the house is filled with personal touches - and that's not something you just tire of. I will say that I DO think that a designer was consulted for this house - probably one they've worked with before on other houses. That would explain some of the outdated upholstery - the clients didn't want to redo that stuff just then when they were first moving in. Several things make me think this - but most of all is the rug in the living room. It's from Stark. Also, the kitchen is very well done. Very efficient - and done for someone who likes to cook - but I still see a designer's touch there. I think this is a really really cool house. The entryway and library make me think of the game "Clue" - it's very very English Manor. But the other parts are softer... it's interesting. I think you should pitch this as a show on TV... "the House Psychologists: What Your Home Says About You". I'd watch!! The couple that owns this wonderful home loves Europe, especially the gardens. They have been married for awhile and have blended their unique tastes and personalities. They have also learned the art of compromise. His rooms are the entry way and library. Hers are the kitchen and breakfast room. He likes order and symentry, she is more carefree and whimsical. She is sentimental and will recover those sofa's over and over through the years. She also has a lot of wedding present looking candle sticks around. He loves the more traditional paintings, she has collected the more modern pieces. The dining room was also inherited. That is a room only used on holidays. This is so much fun. Thanks for my daily respite. There is something so wonderful about the written word in your hands. I love the library!!! Interesting house! But what's with the sound-proof room? They seem to have extreme privacy already - If they don't entertain much and even have a recognizable front door - why does he need to hide his conversations from his partner? hmmm..... I love perusing the MLS, lots of beautiful interiors on the Los Angeles MLS. I could never describe them as well as you do though. As always, an interesting and informative post. That kitchen is wonderful, the entry and kitchen alone would sell that home. That is a grande hallway! And that library! wow Love your blog...I'm a Texan, too.... Uh oh! I have a horizontal mirror in my dining room! I'll get that changed ASAP. (Please don't hold it against me . . .) Angela P. Absolutely, I will be doing one of my "hooked on houses" drive-bys....discretely hanging out the SUV window and snapping photos. Sigh. Priced at $3,250,000, it's obviously worth every penny. No Tuscan-inspired, faux stucco, concrete lions at the entrance, Houston builder's special for me. J, you are such a good read. Isnt it refreshing to see a one in a million home thats not sooo cookie cutter boring? This one is a sparkler, for sure. Lisa coastal Nest Fascinating article on the Kennedys...impressive research. However, with all due respect... ...". Wow, harsh! This is someone's home--very hurtful if this post was pointed out to them. IMO. "Jane" - actually that comment was about 90 percent of the houses in HOuston, so that's a lot of hurt people. I only showed that picture because of the leather furniture. If the owners didn't want their house up for scrutiny, I suspect they wouldn't have it on the internet. And trust me, by the looks of it, I don't think they really care about their decor that much. Most people really don't and have a sense of humor about their lack of decor. But - you have a point, I do try not to be overly insensitive in my criticisms - but this is MY blog where I express my opinions about decor and like I said, the image was obtained publically. I'm going to guess that both of these people are tall! I find this house pretty overwhelming - lots of oversized things. I have a pretty typical suburban 4-bedroom house in NW Houston. It's pretty hard to do much with it. (I did take out the corner bar in the family room!!) I love your pictures! but I'm curious...why never hang a mirror horizontally? I totally agree that in some spaces vertical is ABSOLUTELY the way to go...but to say "People, do NOT hang your mirror horizontally! Ever! NEVER!"? Isn't that a bit much? Is there some stylistic/design logic of which I'm unaware? I love going through all the pictures, and I absolutely love your blog! I am so glad my dear friend, Laurie told me about it! It's fun to surmise about their life. Connie/puddin07 Another great blog - I could spend all day looking at the beautiful pictures you've taken or have found to describe your design sensibilities and tastes. I too love that dining room, but alas, hubby would be rather upset if I decided to paint all our bungalow's natural woodwork high-gloss ebony. What a beautiful home though, and in such a lovely neighborhood too! I hate the humidity of Houston, but to live in that house, in that neighborhood, with that garden - I might just learn to deal with it! Great post! i will tell you, the owner (man) designed and built that house, head to toe. the wife did add some touches with her own antiques and furniture. notice in the kitchen that there are no "toe kicks," true to the era. im loving the descriptions of the owners- no they did not meet in moscow and is a second marriage for both. they also have 5 kids between them, and you're right, no grandkids! ages range from 18-28. the husband is extremely brilliant... i will leave the rest to your imagination and not spoil the fun! :) "Katie- from August 18th"- you are wrong about all of the above- COSTCO? really? your opinion about the seagrass is fine..but the rest is wrong :) but you can keep guessing! ... i dont think the owners would even know what costco is. probably never been inside one? in the words of everyone's favorite, Paris Hilton, "what's a walmart?" wait!!!!! She is NOT talking about the beautiful house being like Costco - she is talking about the 1st picture of the ugly house!!!! Not the house in River Oaks. Go back to the blog and you will see - that first room is from a home in Bellaire. hahahah!!! And I think I know who one of the Anons is! thanks so much - this is fun. Joni Joni...I love your imagination and your eloquence. I too, look at the Atlanta MLS and am so discouraged by what I see "designers" do. It all looks the same. Big furniture, no character, matchy-matchy...uggghhh. The black staircase is beautiful...I would love to do that, but my husband would croak! Hi everyone! I really appreciate your website, I'll be back soon! Tell me what you think of my writings on hypnosis. your hose is very beautiful and interior design is a very great & your web site help for us thanks! moving to texas , You have a very interesting way of expressing yourself, which I like and as much as I can see so do other, visitors. Keep up the good work with such relevant information..
Chicago Coupons We've found 6,691 local coupons from 2,871 locations in ChicagoChange Location Nearby Neighborhoods - Lakeview (620) - Lincoln Park (576) - Near North Side (545) - The Loop (449) - West Town (434) - Depaul (342) - Cragin (322) - Lawndale (287) - Albany Park (75) - Andersonville (63) - Archer Heights (85) - Armour Square (30) - Ashburn (42) - Auburn Gresham (35) - Austin (126) - Avalon Park (26) - Avondale (91) - Beverly (175) - Brainerd (33) - Bridgeport (16) - Brighton Park (88) - Bucktown (172) - Calumet Heights (39) - Canaryville (4) - Chatham (79) - Chinatown (23) - Clearing (18) - Cragin (322) - Depaul (342) - Douglas (34) - Dunning (207) - East Garfield Park (8) - East Side (20) - East Village (67) - Edgewater (127) - Edison Park (14) - Englewood (18) - Forest Glen (14) - Fuller Park (1) - Fulton Market (12) - Gage Park (61) - Galewood (25) - Garfield Ridge (79) - Gold Coast (93) - Goose Island (7) - Grand Boulevard (31) - Greater Grand Crossing (48) - Greektown (23) - Hegewisch (12) - Hermosa (40) - Humboldt Park (122) - Hyde Park (30) - Irving Park (166) - Jefferson Park (60) - Jeffery Manor (2) - Jeffrey Manor (10) - Kenwood (19) - Lakeview (620) - Lakeview East (104) - Lawndale (287) - Lincoln Park (576) - Lincoln Square (61) - Little Italy (18) - Logan Square (163) - Madison Square (2) - Magnificent Mile (35) - Marquette Park (55) - McKinley Park (62) - Medical Village (79) - Montclare (140) - Morgan Park (52) - Mount Greenwood (39) - Near North Side (545) - Near South Side (137) - Near West Side (259) - New City (40) - New Eastside (27) - Noble Square (94) - North Center (122) - North Lawndale (25) - North Park (69) - Northalsted (188) - Norwood Park (78) - O'Hare (100) - Oakland (1) - Old Town (103) - Pilsen (59) - Portage Park (173) - Printer's Row (35) - Pullman (1) - Ravenswood (112) - River East (6) - River North (189) - River West (42) - Rogers Park (88) - Roscoe Village (68) - Roseland (76) - Sauganash (10) - Scottsdale (93) - Smith Park (5) - South Chicago (18) - South Deering (14) - South Lawndale (86) - South Loop (167) - South Shore (83) - Streeterville (115) - The Loop (449) - Tri-taylor (21) - Ukrainian Village (41) - University Village (202) - Uptown (224) - Washington Heights (35) - Washington Park (25) - West Elsdon (46) - West Englewood (68) - West Garfield Park (2) - West Lawn (168) - West Loop (111) - West Pullman (16) - West Ridge (192) - West Town (434) - Wicker Park (168) - Woodlawn (8) Displaying Locations 1-50 of 2,871 in Chicago - 1 - 2Subway 77 W Jackson Blvd Chicago, IL 60604 Get a breakfast combo for $3 Get select 6" subs for $3 + 1 more offer - 3Quiznos 333 S State St Chicago, IL 60604 $1 off a regular or large sub purchase Buy one sub & regular fountain drink & get an additional sub free + 1 more offer - 4Payless 100 W Randolph St Chicago, IL 60601 25% off any purchase - 5Dairy Queen 436 S Wabash Ave Chicago, IL 60605 $5 lunch from 11-4pm - 6 - 7Jamba Juice 225 S Canal St Chicago, IL 60606 Get a 16oz. smoothie for $2 - 8Office Depot 6 S State St Chicago, IL 60603 $10 off a $50 purchase $15 off a $75 purchase + 3 more offers - 9Staples 111 N Wabash Ave Chicago, IL 60602 20% off a $30 Copy & Print purchase 20% off any Staples EasyTech Service purchase + 14 more offers - 10Books-A-Million 144 S Clark St Chicago, IL 60603 $5 off a $25 purchase - 11Walgreens 16 W Adams St Chicago, IL 60603 $3 off one Tummy Calm purchase 33% off aphoto enlargement, collage print, poster or banner purchase + 1 more offer - 12Taco Bell 500 W Madison St Chicago, IL 60661 Loaded Grillers, Freezes, Sparklers & medium drinks for $1 from 2-5pm - 13Ace Hardware 440 N Orleans St Chicago, IL 60654 Get a free pair of Ace brand canvas gloves with a $20 purchase - 14 - 15Target 1154 S Clark St Chicago, IL 60605 $1 off a select Rubbermaid plastic tote purchase $1 off three greeting cards + 21 more offers - 16Einstein Bros. Bagels 400 N Dearborn St Chicago, IL 60654 Get a free bagel and schmear at Einstein Bros Bagel when you join the E-club Value breakfast for $3.99 - 17Lane Bryant 129 N Wabash Ave Chicago, IL 60602 $25 off a $75 purchase $50 off a $150 purchase + 1 more offer - 18Edible Arrangements 1239 S. Michigan Ave Chicago, IL 60605 $3 Off Any Box Of Chocolate Dipped Fruit -Not Valid With Any Other Offers or Specials -One Coupon Per Person -Valid at 1239 S. Michigan Ave. Only $5.00 off any arrangement $50.00 or more -Not Valid With Any Other Offers or Specials -One Coupon Per Person -valid only at 1239 S. Mich. Ave. - 19Carson Pirie Scott 120 S Riverside Plz Lbby 1 Chicago, IL 60606 $25 off a $75 purchase $5 off a $5 purchase + 8 more offers - 20 - 21Uno Chicago Grill 619 N Wabash Ave Chicago, IL 60611 Get a free $5 Bonus Voucher with your purchase of a $25 gift card - 22Yankee Candle 222 Merchandise Mart Plz Chicago, IL 60654 $10 off a $25 purchase $15 off a $35 purchase + 1 more offer - 23 - 24TGI Fridays 153 E Erie St Chicago, IL 60611 Drinks & appetizers for $3 each on Thursdays Get a free $10 Bonus Bites Card when you purchase a $50 gift card - 25 - 26H & M 328 S Jefferson St Chicago, IL 60661 20% off any single item when you sign up for HM.com's email - 27Fleming's 25 E Ohio St Chicago, IL 60611 Free $25 gift card for fathers on Father's Day Get a $20 Bonus Card with a $100 gift card purchase + 2 more offers - 28Midas 158 W Grand Ave Chicago, IL 60654 $10 off a $100 service $10 off a high mileage or full synthetic oil change service + 9 more offers - 29Ulta 150 W Roosevelt Rd Chicago, IL 60605 20% off any single item Get a free Redken Diamond Oil 5 carat finish service at The Salon from 6pm-8pm only + 1 more offer - 30Petsmart 1101 S Canal St Chicago, IL 60607 Get your first exam & consultation free - 31Morton's 1050 N State St Chicago, IL 60610 Bar Bites starting at $6 Get a free $50 Morton's Reward Card with a $250 Morton's gift card purchase + 1 more offer - 32Firestone 1558 S Wabash Ave Chicago, IL 60605 $10 off a cabin filter replacement service $5 off a air filter replacement service + 9 more offers - 33Stride Rite 111 N State St Chicago, IL 60602 20% off a $50 purchase 25% off a $75 purchase - 34Macy's 111 N State St Chicago, IL 60602 $10 off a $75 purchase 15% off a $100 purchase + 1 more offer - 35White Castle 2134 S Wabash Ave Chicago, IL 60290 Get four free sliders when you sign up for the Craver Nation - 36Old Navy 150 N State St Chicago, IL 60601 $5 off a $25 purchase $50 Restaurant.com gift certificate when you signup and spend $39 in-store (click to see details) + 1 more offer - 37Popeye's 500 W Madison St Chicago, IL 60661 Select three of a kind meal combos for $3.99 - 38Family Dollar 1533 W Chicago Ave Chicago, IL 60642 $5 off a $25 purchase - 39 - 40Dave & Buster's 1024 N Clark St Chicago, IL 60610 Half price games on Wednesdays - 41Little Caesar's 3010 S Halsted St Chicago, IL 60608 Crazy combo for $1.99 Eight piece Caesar wings for $6 + 2 more offers - 42Cold Stone Creamery 1316 S Halsted St Chicago, IL 60607 Get free ice cream on your birthday when you join the Birthday Club - 43Aeropostale 835 N Michigan Ave Chicago, IL 60611 $10 off a $50 purchase 10% off any purchase for Taurus with a valid ID + 1 more offer - 44Cache 900 N Michigan Ave Ste L420 Chicago, IL 60611 $100 off a $400 purchase $25 off a $125 purchase + 2 more offers - 45KFC 1144 S Western Ave Chicago, IL 60612 12 piece meal for $22.99 Breast Meal for $3.99 + 9 more offers - 46Dots 1250 S Ashland Ave Ste 1 Chicago, IL 60608 $10 off a $35 purchase $10 off a $40 purchase + 1 more offer - 47Toys R Us 2551 W Cermak Rd Chicago, IL 60608 $10 off a Huggies value box of diapers purchase $10 off a Pampers value box of diapers purchase + 23 more offers - 48Boston Market 1562 N Wells St Chicago, IL 60610 $1 off a $10 purchase $25 off any $250 catering purchase + 3 more offers - 49Guitar Center 2633 N Halsted St Chicago, IL 60614 $15 off a $75 purchase $150 off a $799 puchase + 2 more offers - 50Carter's 1565 N Halsted St Chicago, IL 60642 20% off a $40 purchase 25% off a $50 purchase
When the Ravens and Pittsburgh Steelers tangle in Sunday’s season opener at M&T Bank Stadium, Terrell Suggs expects his path to Pittsburgh quarterback Ben Roethlisberger to be littered with roadblocks. And those roadblocks have names – as in, offensive tackles Jonathan Scott and Willie Colon, tight end Heath Miller and H-back David Johnson. “It’s going to start with a chip [from] Heath Miller, a back,” the four-time Pro Bowl outside linebacker said Wednesday. “I won’t be one-on-one with them because they remember the playoff game, they remember all the games I had. I think the game here, I hit Roethlisberger something like six or seven times. So like I said, they’re doing everything right now possible to make sure that I don’t have a good game.” And for good reason. Although the Steelers have won the last two meetings and six of the last eight games in this series, Suggs has terrorized Pittsburgh and Roethlisberger. According to statistics researched by the Ravens’ public relations staff, Suggs has collected 10½ sacks against the Steelers in the regular season. That’s the most sacks any active player has recorded against Pittsburgh and the second-most Suggs has posted against a single team. (He has sacked Cleveland quarterbacks 12 times in the regular season.) Suggs has taken down Roethlisberger 12½ times – regular season and postseason – which is the most sacks any defensive player has registered against Roethlisberger. Roethlisberger, who – at 6 feet, 5 inches and 241 pounds – isn’t exactly a wallflower, chuckled when asked to describe Suggs’ strengths as a pass rusher. “How long do you have?” he asked rhetorically during a conference call with Baltimore media. “He’s such a ferocious player. He’s got really long arms and legs and he uses his arms real well. Super athletic, fast, strong, ferocious. I think even something that people don’t write about, [there’s his] intimidation factor alone. I think a lot of linemen and running backs and tight ends – before the play even starts – are a little intimidated because of his reputation of being a such a good, ferocious player. So I’m still looking for a weakness in his game. He’s pretty doggone good.” Suggs does wear a scowl during games, and his relentless chattering has unnerved even some of his own teammates during practices, but he dismissed the notion of intimidating Steelers players as a psychological ploy. “They’re trying to psych us out,” he said. “‘Oh, he scares me.’ They’ll do everything possible to make sure I don’t have a good game. “I assure you that [left guard Chris] Kemoeatu is not rattled,” Suggs continued. “And last year, they had big Flozell [Adams], and I’ve always respected Flozell Adams as a good player in this league. Max Starks, they released him, but he was one of the few tackles that has given me problems. If you look at the games, we usually have good battles against each other. But I don’t think they’re rattled [about] me at all, and I guarantee you that they’ve got something in store where I won’t be one-on-one with any of their tackles.” The 28-year-old Suggs is already the franchise leader in sack yards (519) and forced fumbles (22), and he is second in fumble recoveries (11). He has led the team in sacks in five of eight seasons since being selected with the 10th overall pick in 2003, including 11 of the Ravens’ 27 sacks last season. Suggs has especially excelled against Pittsburgh. Last season alone, he accrued 15 tackles and 5½ sacks in three games. In a 13-10 loss at M&T Bank Stadium on Dec. 5, Suggs sacked Roethlisberger 1½ times and hit him five times. In their last meeting, he sacked the Steelers quarterback three times in a 31-24 playoff loss on Jan. 15. On Wednesday, Suggs attributed his success to his hatred of losing. “I’m pretty sure that they’ve beaten us more than any other team in the NFL because we play each other the most. I just don’t want to lose,” he said. “So every time I play them, I try to crank it up some more. So that can explain it. But what does it matter if they still end up winning the game?” But on Friday, he gave the team’s PR staff another reason for his exceptional play. “Our two defenses are always being compared. ‘Who’s the better defense?’” Suggs said. “When the players are at battle, I feel like I have to play better than their two outside linebackers [James Harrison and LaMarr Woodley]. That’s my motivation – don’t let the outside linebackers outplay me.” Suggs’ run against the Steelers wasn’t lost on Jarret Johnson, the Ravens’ other outside linebacker. But Johnson couldn’t put his finger on why Suggs fared better against Pittsburgh than some of the other opponents the team meets on a regular basis.“He just goes off every time,” Johnson said. “The friggin’ dude’s unblockable. I don’t know what it is. I don’t know if he just matches up well against their guys. He just always has big games against the Steelers.”
Highlights A collection of news and information related to Disc Jockeys published by this site and its partners. Displaying items 1-12 of 2067 » View courant.com items only 1 2 3 4 5 6 7 8 9 10 11-173 Next > Miami Heat???s DJ Irie and Levinson Jewelers launch jewelry lineThe Business of Sports | Sun Sentinel blogsAdd...... Tags: Miami (Miami-Dade, Florida), Diplomacy, Miami Heat 'So You Think You Can Dance' results: Top 8 turn to 6Reality CheckTonight's So You Think You Can Dance results show opens with a Sonya Tayeh group number that is ... typical her. Colorful outfits, wacky moves, etc. Ashleigh is still not dancing, which is not a good sign.Then there is a...... Tags: Lindsay Lohan, Samantha Ronson, Kris Allen, Dance, Adam Lambert 'Dating in the Dark': Where'd the premise go?Reality CheckBOFF returns to give us the lowdown on last night's Dating the Dark. Don't forget to share your opinions on the show in the comments! Take it away, BOFF!:We start out, as usual, with brief introductions of this week's participants...... Tags: Radio, Dating in the Dark (tv program), ABC (tv network), Salsa (genre), Facebook: Foods and Beverages, Bok Tower, Restaurants, Bars and Clubs, Music: Joffrey Ballet, Manhattan (New York City), Roosevelt University, Music Industry, Music: Jennifer Hale, Xbox 360, Gaming Industry, Nintendo Company Ltd., GameStop: Arts, Nikki Reed, Music, Movies, Dale Earnhardt Jr. Jr. (music group): United Center, Chicago Bulls, World Wrestling Entertainment Inc., Chicago White Sox, Museum of Contemporary Art Chicago : Charlie Sheen, World Wrestling Entertainment Inc., Chicago White Sox, Television Industry, Water Tower Place Expect more performances at Studio Paris, Jay Cutler and Kristin Cavallari shop at Gold Coast pet boutique, John Cusack drinks hand sanitizer Think... Tags: United Center, Dallas Mavericks, World Wrestling Entertainment Inc., Chicago Bulls, Jimmy Kimmel Live! (tv program): Live Nation, David Guetta, Tiesto (music group), Music, Electronics Chris Masterson saves the day at Drumbar opening, 'Mob Wives Chicago' cast member hosting viewing party, Ben Harper dines at Gibsons... Tags: Relentless7 (music group), Maksim Chmerkovskiy, Television Industry, Jared Kusnitz, Kristin Cavallari Nov 1, 2010 |Blog| Sun-Sentinel Dec 10, 2009 |Blog| Baltimore Sun Aug 17, 2010 |Blog| Baltimore Sun May 2, 2013 |Column| Orlando Sentinel Mar 19, 2013 |Column| Chicago Tribune Nov 5, 2012 |Column| Chicago Tribune Nov 17, 2011 |Column| Chicago Tribune Jan 30, 2012 |Column| Chicago Tribune May 29, 2012 |Column| Chicago Tribune Apr 25, 2012 |Column| Chicago Tribune May 16, 2013 |Column| Chicago Tribune Jun 8, 2012 |Column| Chicago Tribune Original site for Disc Jockeys topic gallery.
Displaying items 73-84 of 105 » View courant.com items only < Previous 1 2 3 4 5 6 7 8 9 Next > HCC student fashion show rescheduledHagerstown Community College's Black Student Union (BSU) has rescheduled its annual fashion show for 7 p.m. Saturday, April 7, in the Kepler Center on HCC's main campus. The show was originally scheduled for Saturday, March 17. Vendors will include D&... Tags: Music, Concerts, Reebok Ltd. - |Story Obese children outgrowing kids' clothing, furnitureCNNEditor's note: This is the third story in a series exploring the issues surrounding childhood obesity. In middle school, Taylor LeBaron struggled to fit into his seat. The desks in class had a ceramic plate attached to the chair. "I was so large, I... Tags: Pediatrics, High Blood Pressure, Fashion Trends, Overweight, Family - |Story Harford Mall collecting donations for Welcome One shelterIn light of recent news articles pertaining to homelessness in Harford County, Harford Mall management is partnering with the Welcome One Emergency Shelter in a collection and donation drive to benefit the shelter. The collection drive, called Have a... Tags: Macy's, Sears Retail Action Project's Fight Against DiscriminationPIX11.comA new study by the Retail Action Project found that workers in some of the most popular stores were not being traily fairly and being discriminated against. Some of the most popular retail chains that were included in the study were: Target, JCPenney,... Tags: Tommy Hilfiger Corp., Target Splurge or save: bold-hued penny loafers Save 20 percent with mobile coupons from Macy's, Kohl's, Target and moreSouth Florida Sun-SentinelWe love using mobile coupons on our phone so we always have them with us and never have to waste paper, ink or brainpower to save money. Here's a list of retailers and short codes to sign up to receive freebies, coupons and deals via text alert. Sign up,... Tags: Kohl's, Facebook, Media Industry, Media Industry, Victoria's Secret: Mall of America, Hobbies, Toys "R" Us, Inc., Business Enterprises, Religious Festivals Thousands look for Black Friday bargains at Imperial Valley shopsImperial Valley Press Staff Writer-... Tags: Gaming, GameStop, Customs and Tradition, Black Friday (shopping), Customs and Tradition: Consumers, Holidays, Gifts, Bankruptcy, Inventories: Burger King, Panera Bread Company, Whitehall, Golf Galaxy Incorporated, Hamburgers Mar 14, 2012 |Story| Herald Mail Feb 23, 2012 |Story| Reuters Feb 15, 2012 |Story| CNN Feb 2, 2012 |Story| Reuters Feb 8, 2012 |Story| Baltimore Sun Jan 20, 2012 |Story| WPIX-LTV Jan 27, 2012 |Story| Chicago Shopping Jan 28, 2012 |Story| South Florida Sun-Sentinel Dec 21, 2011 |Story| Petoskey News Nov 26, 2011 |Story| Imperial Valley Press Online Dec 28, 2011 |Story| Tribune Media Services Jan 28, 2012 |Column| Allentown Morning Call
Highlights A collection of news and information related to Manchester Monarchs published by this site and its partners. Displaying items 1-12 of 26 » View courant.com items only 1 2 3 Next >: American Hockey League, Connecticut Whale, Hershey Bears Whale Lose To Albany, 3-2The Hartford CourantJoe,... Tags: Connecticut Whale, Ice Hockey, Albany Devils, Hershey Bears, Eastern Conference (NHL) Whale Weekly... Tags: Radio, Providence Bruins, Connecticut Whale, Ice Hockey, Blake Parlett: Yale Bulldogs, College Baseball, Stanley Cup Playoffs, Ice Hockey, Hershey Bears: Justin Williams, Darryl Sutter, Jarret Stoll, St. Louis Blues, Stanley Cup Playoffs, Free Agency, Ice Hockey, Columbus Blue Jackets, Nick Drazenovic Royals happy to have O'Connor backReading Eagle, Pa.Ian O'Connor spent the final two months of the regular season living a childhood dream. The New Hampshire native was given his first long-term stay in the AHL. It happened to be with Manchester, a stone's throw from O'Connor's hometown of Londonderry.... Tags: American Hockey League, Ice Hockey, Verizon Wireless, Luis Mendoza Second close loss in two days puts Monarchs in 0-2 playoff holeThe New Hampshire Union Leader, ManchesterCody Bass knows something about winning a Calder Cup. He's also starting to be a pain in the neck for the Manchester Monarchs. For the second straight day, Bass scored the game-winning goal, Sunday night at the 18:44 mark of the first overtime to lift... Tags: Anthony Stewart, Binghamton Senators, Ice Hockey, Eastern Conference (NHL), American Hockey League: Christian Hanson, Washington Capitals, Providence Bruins, Patrick McNeill, Philadelphia Phantoms Monarchs open playoffs in SpringfieldThe New Hampshire Union Leader, ManchesterT... Tags: Ticketmaster, Ice Hockey, Hershey Bears, Philipp Grubauer, Verizon Wireless Pens drop regular-season finaleThe Citizens' Voice, Wilkes-Barre, Pa.WILKES-BARRE TWP. -- The moment Tanner Pearson's shot settled into an empty net and gave the Manchester Monarchs a 3-1 win in the regular-season finale at the Mohegan Sun Arena on Saturday night, Wilkes-Barre/Scranton Penguins center Trevor Smith was... Tags: Scranton Penguins, Portland Pirates, Eastern Conference (NHL) Penguins' Zatkoff is on a missionThe Citizens' Voice, Wilkes-Barre, Pa.Wilkes-Barre/Scranton Penguins goalie Jeff Zatkoff has a stated objective before each of his starts. "Every game I try to keep it to two (goals against) or under," he said. "If I can keep it to two or under, then we have a chance to win." Every goalie... Tags: Scranton Penguins, Robin Lehner, Stanley Cup Playoffs, Ice Hockey, Eastern Conference (NHL) Apr 21, 2013 |Story| Hartford Courant Apr 19, 2013 |Story| Hartford Courant Apr 8, 2013 |Story| Hartford Courant May 14, 2013 |Story| McClatchy-Tribune May 8, 2013 |Story| Los Angeles Times May 8, 2013 |Story| McClatchy-Tribune Apr 30, 2013 |Story| McClatchy-Trib.
Displaying items 97-108 of 309 » View courant.com items only < Previous 1 2 3 4 5 6 7 8 9 10 11-26 Next >: Portland Pirates, Syracuse Crunch, Henrik Karlsson, Jeremy Morin, Ice Hockey: Peter Mueller, Jack Skille, Ice Hockey, Scott Timmins, Carl Gunnarsson Bruins 2, Lightning 0ReutersThe Sports Xchange Bruins 2, Lightning 0 By Matthew Carroll The Sports Xchange BOSTON -- Dennis Seidenberg and Daniel Paille scored second-period goals, Tuukka Rask posted his second shutout in as many starts and the Boston Bruins remained in second... Tags: Daniel Paille, Brad Marchand, Philadelphia Flyers, Boston Bruins, Ice Hockey: Bell Centre, Ondrej Pavelec, Boston Bruins, Brendan Gallagher, Ice Hockeyames Reimer, Peter Mueller, Jack Skille, Phil Kessel, Clarke MacArthur: Daniel Paille, Brad Marchand, Philadelphia Flyers, Boston Bruins, Ice Hockey Leafs blow away Florida Panthers 4-0 in final home game: Boston Bruins, Ice Hockey, Scott Timmins, NHL Entry Draft, Steven Stamkos: Brian Elliott, Adam Cracknell, Brendan Gallagher, Boston Bruins, Derick Brassard Preview: Islanders at SabresReutersSportsDirect Inc. Preview: Islanders at Sabres With fifth place in the Eastern Conference now out of the question, the New York Islanders attempt to claim a spot higher than eighth when they visit the Buffalo Sabres on Friday in the regular-season... Tags: Philadelphia Flyers, Ice Hockey, New York Rangers, Kevin Poulin, Mikhail Grigorenko The Tribune-Star, Terre Haute, Ind., Andy Amey columnThe Tribune-Star, Terre Haute,... Tags: Cam Ward, Stanley Cup Playoffs, Father's Day, Boston Bruins, Cal Clutterbuckames Reimer, Nate Thompson, Phil Kessel, Ice Hockey, Martin St. Louis: James Reimer, Phil Kessel, Ice Hockey, Martin St. Louis, Eric Brewer Apr 26, 2013 |Story| Reuters Apr 25, 2013 |Story| Reuters Apr 25, 2013 |Story| Reuters Apr 25, 2013 |Story| Reuters Apr 25, 2013 |Story| Reuters Apr 25, 2013 |Story| Reuters Apr 25, 2013 |Story| South Florida Sun-Sentinel Apr 25, 2013 |Story| Reuters Apr 25, 2013 |Story| Reuters Apr 25, 2013 |Story| McClatchy-Tribune Apr 24, 2013 |Story| Reuters Apr 24, 2013 |Story| Reuters Original site for Tampa Bay Lightning topic gallery.
Brisbane halfback Peter Wallace tops long list of medal tips for Broncos - From: The Courier-Mail - October 05, 2012 Broncos halfback Peter Wallace is in line to win the Paul Morgan medal for 2012. Picture: Jono Searle Source: The Daily Telegraph BRISBANE halfback Peter Wallace could tonight become the first No.7 since Allan Langer in 1996 to claim the Broncos' coveted Paul Morgan Medal at their player of the year awards. While Wallace wore the brunt of criticism during the club's six-game late season rough patch, his performances during Brisbane's 7-1 start to the season drew widespread praise and almost resulted in a NSW State of Origin recall. Wallace was Brisbane's highest polling player in the Dally M Medal, finishing the count in equal seventh place on 19 points with 2011 winner Billy Slater, Sydney Roosters halfback Mitchell Pearce and South Sydney's English forward Sam Burgess. Wallace had been level with eventual winner Ben Barba when voting went behind closed doors after round 16, but polled only three more votes for the year while the Canterbury fullback doubled his tally to win the prize with 32 votes for the season. Despite Wallace's strong season, lock forward Corey Parker was the only Broncos player considered as a nominee for his positional award, which was eventually given to Cronulla skipper Paul Gallen. The lack of external recognition for Brisbane's players proves just how evenly spread their performances were in 2012 and picking the winner of tonight's player of the year award remains a lottery. The winner is voted upon by the players, coaching staff and the club's former internationals. Andrew McCullough Hooker Andrew McCullough made over 1000 tackles for the Broncos in 2012. Picture: Peter Wallis Source: The Daily Telegraph Other players considered strong chances at claiming the Morgan Medal are hooker Andrew McCullough, centre Justin Hodges, props Josh McGuire and Ben Hannant and 2010 winner, fullback Josh Hoffman. McCullough played all 25 games this year and made over 1000 tackles, Hodges had his finest club season in many years with an almost injury-free run, McGuire was the standout during the Origin period, while Hannant and Hoffman claimed Test jumpers following their strong efforts to start the season. Parker was consistently strong throughout the year, but may pay for missing too many games through injury and Origin commitments. Another bolter could be second-rower Alex Glenn, who topped the club's tryscoring list with 13 for the year. He also made the most tackle busts by a forward and averaged over 100m a game in his 23 appearances. Last year's winner and former skipper Darren Lockyer agreed that the player of the year award was hard to predict because the Broncos had so many contributors throughout the season. "I think it will be one of those sort of most consistent players,'' Lockyer said. "I think Corey (Parker) had a couple of injuries that will cost him. I actually think someone like an Alex Glenn is probably a good chance at taking it out.'' Have your say
Balanced & Beautiful Introducing: Les Cleanse Party Mavens! Maddeningly Good Hustle & Grow I Left My Heart @ Spotify #jobbytime #industryinsight: Mutineer Magazine Drink Careers *Workin* It Consumer Trends HEAT @ Unified 1/31 HIP TASTES Red Pairing Alert: Swirl On Castro Meet the Man Behind the New HIP TASTES Wine Label: Mitchell Shernoff Chenin Me, Barbera Blowout, OR: (Good) Wine Shenanigans Forecast for Family Winemakers May 08, 2013 Balanced & Beautiful filed under: Events, Hip Tasters, Regional Spotlight It's a total treat to be able to feature another fabulous food and wine lady @ this Friday's Cleanse Party: DETOX/RETOX - Ms. Katrina Fetzer of Ceago Vinegarden. Katrina will share her family's Biodynamic pours with guests and dish a bit about how nourishing the body doesn't have to mean excluding wine - it's about balance and making healthy lifestyle choices. Her family prides itself on running a "balanced and beautiful Biodynamic ranch" along the shores of (I must say stunning) Clear Lake, and if you take a peek at these pics I'm sure you'll agree it's teeming with all of that, and more. About Katrina Fetzer, pictured Katrina is the Director of Sales & Marketing at Ceago Vinegarden. She joined Ceago in the summer of 2002 after pursuing business and marketing courses in Europe and in San Francisco. She works with her father, Jim Fetzer, in developing marketing campaigns, sales strategies, design ideas and labels to help take Ceago and the Biodynamic wine movement to the next level. Katrina also puts her international palate and design background to work producing events and sharing her family's wines with distributors, at restaurants and at winemaker dinners. Katrina is an active Board Member for the Demeter Biodynamic Trade Association. Katrina was kind enough to answer a few questions about her philosophy. Read those responses here, and come out to Friday's event to meet her, taste some delicious wine and learn how a whole farm perspective and healthy outlook can make all the difference in framing wine in a positive light in your life! What does wellness mean to you? Katrina: Wellness for me is about balance. Building a balance in my life where my body, mind and spirit are happy, healthy and I can continue to incorporate everything I love...wine, yoga, food, friends to name just a few. What are a few of your favorite spots in sf to unwind and be healthy? Katrina: My favorite spots in SF to unwind, be healthy and inspire me...there are so many amazing placing in our beautiful city it is hard to choose. But if I was to pick just a few: Lands End, Ocean Beach, De Young, The Pad, International Orange, The Juice Shop, Out the Door, Hog Island Oyster Company or just the entire Ferry Building with the Farmer's Market! What makes your Lake County estate a restful, nourishing and inspiring place to be? It is truly a combination of things that all work together. The property in general, the lake, the diversity of plant crops, the animal integration and especially the people! My father, Jim Fetzer, has created a place where you cannot help but feel the weight lifted and your eyes open to all the beauty surrounding you. And there is nothing better than getting to enjoy it all with a glass of wine! Learn more at Ceago.com Posted by Courtney at 11:47 PM • Comments (0) April 15, 2013 Introducing: Les Cleanse Party Mavens! filed under: Events, Hip Tasters * . My cleanse programs?" at 10:44 PM • Comments (0) April 09, 2013 Maddeningly Good filed under: Winning Wines I love television. It's escapism at its best, and with all of the options out there for seeing our favorite shows any time we want - Netflix, Hulu, Prime - it's become de rigeur to actually TRY to watch them all. I freely admit I am guilty of a few back-episode binges myself (anyone who has seen the first seasons of Homeland & Girls totally has my back), so I laughed pretty long and hard over this NY Mag piece by the erudite Elissa Bassist: "Addicted to Netflix: Teen-Soap-Opera Binge As Psychosis." Yes, it's as good as you think it's going to be. In spite of all this pent-up viewing enthusiasm, however, some shows we still have to wait for. With our lives more on-demand than ever, this waiting seems to elevate the must-wait-for shows to almost mythic status. Cue: the new season of Mad Men, which debuted this week on AMC. Breathless posts on the now-available-for-anytime-viewing of the first episode are sprinkled across Facebook, so uber fans who may have missed Sunday's show can now breathe freely. And now that we're on track with the new season (whew!), why not host a Mad Men-themed tasting to add a little more excitement to the next show? My suggestions for wine pairings for characters - yes, Don Draper is a mercurial Burgundy and Betty a bracingly acidic white - abound in this piece on wine tasting parties that ran today (TU to drinks scribe Jessica Yadegaran for featuring Hip Tastes!). Just remember: if you choose to binge-view the entire season at a later date, don't do the same with your wine. With that, moderation is always the best choice. ;) Posted by Courtney at 05:38 PM • Comments (0) April 04, 2013 Hustle & Grow filed under: Events, Ramblings I am so pleased to announce the new Wellness Series! This Mucha-inspired illustration - courtesy of Mitch Shernoff - is the ideal visual for the Cleanse Party, which kicks off the series. There are so many reasons the time is right to address wine in the context of balance. So many of us are juicing right now or cleansing or even just integrating more yoga and fitness, but we still want wine to be a part of our healthy lifestyle. Dial into these classes for realistic approaches to both - and get ready to really glow...I mean grow! (okay, I really meant both ;)) Here is the link to check out more about the Cleanse Party, my lovely co hostesses Adina Niemerow and Nicole Cronin, and buy some tix: cleanseparty.eventbrite.com Posted by Courtney at 12:54 AM • Comments (0) March 15, 2013 I Left My Heart @ Spotify filed under: Ramblings I have a new crush, and no it's not Georgian wine or grower Champs or micro blogging about Georgian wine or grower Champs (although all of that does sound splendid). My crush is quite simply music - but not just any music - Spotified music. I feel kind of like a nerd raving about it, but I can't help it: Spotify *rocks*! I love the ease of making playlists and discovering new music. I have literally found so much new music over the past few months it's ushered in a whole new vibe - it's like my aural senses are finally indulging in the level of insanely delicious treats as my palate. Okay, no more gushing. Here are some of my favorite recent compilations. I'll be dropping more playlists with new events and wine releases - so it should be an exciting way to convey the HIP TASTES message to curious ears at large. - CC Unified 2013 - I created this playlist when I was preparing for my Consumer Trends presentation at this year's Unified Wine & Grape Symposium. A lot of positive music you want to work to, but you wouldn't know it by the artists' names: Cults, Hurts, Modest Mouse, Grizzly Bear... Listen to the Unified playlist HT VDay - This is quite possibly my favorite playlist of all time. And yes, I am considering the ones you make when you're 13 and totally obsessive about music (some of it good, much of it mortifying). Rubblebucket, which I just discovered at a show in February, Frank Ocean, Julian Casablancas, James Blake, Lana... Listen to the HT VDay playlist Tahoe TGIF - Ah yes, the Tahoe take on the quintessential weekend playlist. Um, Chromeo. New obsession. Don Henley. Journey (oh yes I did). Vampire Weekend. Black Keys. Go on, get your w/e on... Listen to the Tahoe TGIF playlist Posted by Courtney at 12:43 AM • Comments (0) February 28, 2013 #jobbytime #industryinsight: Mutineer Magazine Drink Careers *Workin* It filed under: Hip Tasters, Ramblings It seems so obvious, yet many have overlooked it: During the recession, and since, one of the best-growing industries has been...drinks. Makes sense, right? People may have spent less on many things, but the personal austerity measures we enacted don't seem to have eradicated this all-important category (you know you're doing your part to help this trend along). Happily, it's also meant drinks careers have been a bright spot in an otherwise pretty desolate landscape for consumer goods. And - they're hiring. And so in light of all this, I'm proud to be a member of the Mutineer Magazine Drink Careers Project 101 Advisory Board. Together with some 100 other drinks career imcumbents (think sommeliers, entrepreneurs, winemakers, soda slingers, writers, brand mavens, etc.) I'll be sharing tips and insights on how to navigate the tricky but rewarding work inside the beverage industry. I'm psyched to get to know what's going on with new college grads and others looking to transition to the industry, too, so this is shaping up to be an exciting and enriching journey. Mutineer is raising money via Kickstarter to spread the word far and wide where industry work goes. The result of their hard work will be a printed how-to guide to pursuing a career in the beverage industry. You can do your part in supporting this important cause either by making a donation here or retweeting and posting items shared on Twitter or Facebook (or this post!). This looks to be a great conversation - and we couldn't do that without a big audience, support and broad participation. I'll be tweeting from @HIpTastesMaven and posting via Facebook @HipTastesEvents Please follow me in those spots if you aren't already and let's get this (job) party started! Posted by Courtney at 05:35 PM • Comments (0) January 29, 2013 Consumer Trends HEAT @ Unified 1/31 filed under: Events At Unified? Let's sync up via Twitter: @HipTastesMaven #UGWS @TheUnified More than 12,000 guests! 650 product mavens! Awesome talks! Massive industry merriment! This Thursday (9am-11:30am) I'll be joining a fresh faced group of wine industry insiders for the Consumer Trends general session chat at Unified Wine & Grape Symposium. I'm thrilled to have been invited. The session will share insights for wine growers, producers and others in the wine collective on how to keep up with emerging trends. It aims to answer a lot of pressing questions, including (this one specified in the session descriptor): "Why have Moscato and new red wine blends flourished, and what does it mean for the future of both the industry and the food and wine experience?" Indeed. As a *new!* negociant producer of a red blend I'll bring some case study savvy, and draw upon my sommelier/educator/writer background in pondering just these sorts of questions. Watch for lifestyle cues and various brand success stories around influences as varied as love, wellness, sustainability, music and more. Come on down if you'll be there - and Q&A is always a great time to ask for more. Consolidation Consolation 2-4pm In addition to the general session Thursday morning, I'll be moderating a marketing panel breakout later in the day on surviving consolidation. AKA staying relevant and in the game, even as the players who distribute wine shrink in # and competition continues to rise. Talk about a squeeze. Thanks to super savvy panelists Jason Haas (Tablas Creek), Ed LeMay (Constellation), Daren Cliff (The Estates Group) and Hank Beal (Nugget Market, UC Davis guest lecturer) we should have a solid chat and great takeaways. I'll be intro'g everyone with an inspirational quote of their personal selection, so get ready for some philosophy and motivational pointers served up alongside the practical advice. For those who may not know, Unified is the Western Hemisphere's biggest wine trade show, a mega-event that takes over the convention center in downtown Sacramento for a multi-day blowout every January. Looking for a new mechanical harvester? You'll find it at the trade show. Looking for cork or glass, alt packaging or - per chance - ideas for keeping abreast of trends and making the most of your brand in the wine biz? You've come to the right place. Unified Conference Dets Sessions Schedule/Location 411 Posted by Courtney at 11:22 PM
The little black dress: everyone has one, and if you don’t, go out and get one now! You never know when a funeral/wedding/fancy dinner party/date may happen and you need that little number in your closet ready and waiting. There are a number of styles to choose from when it comes to the little black dress: wrap, tank, A-line, princess cut…I could go on for a whole paragraph, but you get the point. My suggestion, however, if you are going out to buy a new black dress is to find the most basic one you can. No embellishments, special cuts, strange waistlines, etc. because this will give you the most options. Observe: Basic Michelle Williams (source) For all you know, Michelle Williams woke up 15 minutes before this premier and threw on her dress and shoes and was out the door. This is the kind of look you last minute fashionista’s should go for if you can never make it anywhere on time. Simple,chic, and ridiculously easy, this is the little black dress working its’ hardest. Edgy If you love to accessorize then this look is for you…again, find the simplest little black dress you can and then go wild with the accessories. Do you think that Rachel’s giant gold belt would work with a wrap dress? No. If you are going to wear over the top accessories then go with a simple sheath. Ethereal This is THE semi-formal look for all of you indie-rock naturalist beauties out there…the master of ethereal beauty herself, Blanchett rocks this flowy number to a “T.” Loose bell sleeves and an interesting neckline make this look interesting and unusual but not weird. Uptown Chic What makes Jessica uptown-chic look rock isn’t just the dress, but the whole package! The shiny satin (sans-wrinkles, I might add…bravo) black dress is easy enough to make it go whichever way you want…a funky clutch+up-to-the-minute trendy nude colored shoes paired with a sassy updo make this dress look less dressy and totally hot. Add pearls and a classic clutch with black pumps instead and you are ready for any dressy event. Whatever your style, make sure it shines through with your “little black dress” to get them most mileage! Technorati Tags: how-to wear, what to wear, how-to, style tips, little black dress, celebrity style, fashion blog, style, trends, fashion expert, Couture in the City Michelle Williams is one of thee cutest celebs out there (even if she’s been MIA lately). She never fails to look adorable. GlamChic My secret to wearing a little black dress is feeling good in it. I am always searching for a black dress to buy, and have a few favorites collecting dust in my closet. Love the Macy’s shop for a cause theme you have today. Well i have lots of black dresses but i cant realy think what to wear with them you may think that sound supid but its true sooo i have this friends birthday comeing up and im wearing a black dress and dont have a clue what to do with it i need HELP !! x i have shirt black dress should i wear a belt low or high on the waist my waist is small and i’m wearing tall black boots with and what color belt should i wear I wear mine ALL THE TIME. It is a boatneck with a simple waistline and it falls just above the knee. I’ve worn it a million times in every season–to class, to weddings, to funerals, to parties, on dates with boys and just friends, out to coffee…I could go on and on. Its wonderful. Jessica Simpson looks so cute on this photo… The nice thing about little black dresses, not everyone can wear them. Even if you walk into a party or special event and someone has on a similar dress, no one notices the similarity. I hate dealing with the duplicate dress dilemma at special events. I would have to say my favorite of these is the Rachel Bilson dress. Jessica looks sexy, I wonder how a pair of shoes with the same pattern as her purse would go!
Brett Favre had more experience than Drew Brees yet that didn't help him get past the Saints in the Championship game. Dan Marino went to the Super Bowl in only his second year and never came close to going when he had the most experience of all. I see you have added your hedge clause by talking about redneck jury members. I know alot of people that have been in a particular field for a long time, but don't mistake tenure for effectiveness. Only a moron would confuse the two. Originally Posted by MoneySRH: Casey had searched on her computer for chloroform and how to break a neck. Casey waited 30+ days to report her daughter missing. Then lied to the police, lied to everyone and was caught lying maybe 20+ times. The car smelled like a body. She chloroformed her daughter and used layers of duct tape on her mouth, nose, and put her in a plastic bag so she could go partying. I don’t know what this case has to do with trevon martin being killed by a crazed vigilante. He called police on himself, vigilantes don't do that. Um: "The best evidence we have is the testimony of George Zimmerman, and he says the decedent was the primary aggressor in the whole event," Serino told the Sentinel March 16. "Everything I have is adding up to what he says." Just about everything you've posted on this incident has been untrue. To be clear, Serino did not want Zimmerman charged or arrested. Originally Posted by MoneySRH: This story just materialized out of thin air and serino is an innocent media pawn. WOW! So, Matthew Keys somehow got the police report? Where did the story of Chris Serino wanted Zimmerman charged with manslaughter come from? Then the chief steps down and then the state attorney steps down also and that there was a secret meeting and that was all a coincidence? Then after almost a month, another media source says they had an exclusive interview, attended by Serino and others, he says he believed Zimmerman’s story? And then on top of that he says it’s police procedure to fill out the incident report with a possible crime for the FBI. When a police report is only to be filled with facts? This has police darn up and people covering their fools and corruption all over this bullshit. I will man up and apologize bowlslit. I was wrong about officer serino. I don’t know if the media is lying or the corrupt are covering their fools or serino is being coerced into back tracking. I still believe zimmerman is guilty and I now look like a fool because of this bullshit story with twists and turns all over the fuckin place. I don’t know if it’s the media or the police bullshitting the people and I have now been royally fucked by both. Again, I was wrong about serino and apologize bowlslit. No need to apologize just yet. I am also a man of honor and this is a bit confusing at the moment.. In his letter Monday to Roy Austin, deputy assistant attorney general in the Justice Department's Civil Rights Division, Crump wrote, "We look forward to your thorough and comprehensive review of the suspicious circumstances surrounding this meeting, and the decision to disregard the recommendation of the lead homicide investigator, Mr. Serino, who felt compelled to prepare an affidavit memorializing his recommendation to arrest the shooter George Zimmerman." Someone please explain to me how he could say the first thing in blue to the sentinal and then still feel compelled to prepare the affidivit of his recommendation. #90 Crickets
Emmylou Harris Spanish Johnny written by Paul Siebel Ricky Skaggs Mandolin Rodney Crowell Guitar Emmylou Harris Guitar, Vocals Waylon Jennings Vocals Mickey Raphael Harmonica Emory Gordy Bass Frank Reckard Guitar John Ware drums D Those other years, the dusty years E We drove the big herds through D I tried to forget the miles we rode E And Spanish Johnny too D E He'd sit beside a water ditch when all this herd was in D A E And he'd never harm a child but sing to his mandolin D E The old talk, the old ways, and the dealin' of our game D E Spanish Johnny never spoke, but sing a song of Spain D And his talk with men was vicious talk E When he was drunk on gin D A E Ah, but those were golden things he said to his mandolin SOLO D We had to stand, we tried to judge, E We had to stop him then D E For the hand so gentle to a child had killed so many men D E He died a hard death long ago before the roads come in D A E And the night before he swung he sung to his mandolin D Well, we carried him out in the mornin' sun E A man that done no good D And we lowered him down in the cold clay E Stuck in a cross of wood D And a letter he wrote to his kinfolk E To tell them where he'd been D And we shipped it out to Mexico, A E D Along with his mandolin From Emmylou Harris "Evangeline" Warner Bros Records Two Ten Music(BMI) Though other performers sold more records and earned greater fame, few left as profound an impact on contemporary music as Emmylou Harris. Blessed with a crystalline voice, a remarkable gift for phrasing and a restless creative spirit, she travelled a singular artistic path, proudly carrying the torch of "Cosmic American music" passed down by her mentor, Gram Parsons. With the exception of only Neil Young -- not surprisingly an occasional collaborator -- no other mainstream star established a similarly large body of work as consistently iconoclastic, eclectic or daring; even more than three decades into her career, Harris' latter-day music remained as heartfelt, visionary and vital as her earliest recordings. Harris was born on April 2, 1947 to a military family stationed in Birmingham, Alabama. After spending much of her childhood in North Carolina, she moved to Woodbridge, Virginia while in her teens, and graduated high school there as her class valedictorian. After winning a dramatic scholarship at the University of North Carolina, she began to seriously study music, learning to play songs by Bob Dylan and Joan Baez. Soon, Harris was performing in a duo with fellow UNC student Mike Williams, eventually quitting school to move to New York, only to find the city's folk music community dying out in the wake of the psychedelic era. Still, Harris remained in New York, travelling the Greenwich Village club circuit before becoming a regular at Gerdes Folk City, where she struck up friendships with fellow folkies Jerry Jeff Walker, David Bromberg and Paul Siebel. After marrying songwriter Tom Slocum in 1969, she recorded her debut LP, 1970's Gliding Bird. Shortly after the record's release, however, Harris' label declared bankruptcy, and while pregnant with her first child, her marriage began to fall apart. After moving to Nashville, she and Slocum divorced, leaving Harris to raise daughter Hallie on her own. After several months of struggle and poverty, she moved back in with her parents, who had since bought a farm outside of Washington, D.C. There she returned to performing, starting a trio with local musicians Gerry Mule and Tom Guidera. One evening in 1971, while playing at an area club called Clyde's, the trio performed to a crowd which included members of the country-rock pioneers the Flying Burrito Brothers. In the wake of the departure of Gram Parsons, the band's founder, the Burritos were then led by ex-Byrd Chris Hillman, who was so impressed by Harris' talents that he considered inviting her to join the group. Instead, Hillman himself quit to join Stephen Stills' Manassas, but he recommended her to Parsons, who wanted a female vocalist to flesh out the sound of his solo work, a trailblazing fusion of country and rock 'n' roll he dubbed "Cosmic American music." Their connection was instant, and soon Harris was learning about country music and singing harmony on Parsons' solo debut, 1972's GP. A tour with Parsons' back-up unit the Fallen Angels followed, and in 1973 they returned to the studio to cut his landmark LP Grievous Angel. On September 19, just weeks after the album sessions ended, Parsons' fondness for drugs and alcohol finally caught up to him, and he was found dead in a hotel room outside of the Joshua Tree National Monument in California. At the time, Harris was back in Washington, collecting her daughter for a planned move to the West Coast. Instead, she remained in D.C., reuniting with Tom Guidera to form the Angel Band. The group signed to Reprise and relocated to Los Angeles to begin work on Harris' solo major label debut, 1975's acclaimed Pieces of the Sky, an impeccable collection made up largely of diverse covers ranging in origin from Merle Haggard to the Beatles. Produced by Brian Ahern, who would go on to helm Harris' next ten records--as well as becoming her second husband--Pieces of the Sky's second single, a rendition of the Louvin Brothers' "If I Could Only Win Your Love," became her first Top Five hit. "Light of the Stable,' a Christmas single complete with backing vocals from Dolly Parton, Linda Ronstadt and Neil Young, soon followed; Harris then repaid the favor by singing on Ronstadt's "The Sweetest Gift" and Young's "Star of Bethlehem.". The resulting album proved to be a smash, with covers of Buck Owens' "Together Again" and the Patsy Cline perennial "Sweet Dreams" both topping the charts. Before beginning sessions for her third effort, 1977's Luxury Liner, Harris guested on Bob Dylan's Desire and appeared in Martin Scorsese's filmed document of the Band's legendary final performance, The Last Waltz. Quarter Moon in a Ten Cent Town followed in 1978, led by the single "Two More Bottles of Wine," her third Number One. The record was Crowell's last with the Hot Band; one of the tracks, "Green Rolling Hills," included backing from Ricky Skaggs, soon to become Crowell's replacement as Harris' vocal partner. 1979's Blue Kentucky Girl was her most country-oriented work to date, an indication of what was to come a year later with Roses in the Snow, a full-fledged excursion into acoustic bluegrass. In the summer of 1980, a duet with Roy Orbison, "That Lovin' You Feelin' Again," hit the Top Ten; a yuletide LP, Light of the Stable: The Christmas Album, followed at the end of year, at a time during which Harris had quit touring to focus on raising her second daughter, Meghann. Evangeline, a patchwork of songs left off of previous albums, appeared in 1981. Shortly after, Skaggs left the Hot Band to embark on a solo career; his replacement was Barry Tashian, a singer/songwriter best known for fronting the 1960s rock band the Remains. In 1982, drummer John Ware, the final holdover from the first Hot Band line-up, left the group; at the same time, Harris' marriage to Ahern was also beginning to disintegrate. After 1981's Cimarron, Harris and the Hot Band cut a live album, Last Date, named in honor of the album's chart-topping single "(Lost His Love) On Our Last Date," a vocal version of the Floyd Cramer instrumental. Quickly, they returned to the studio to record White Shoes, Harris' final LP with Ahern at the helm. Her most far-ranging affair yet, it included covers of Donna Summer's "On the Radio," Johnny Ace's "Pledging My Love," and Sandy Denny's "Old-Fashioned Waltz." After leaving Ahern, she and her children moved back to Nashville. There, Harris joined forces with singer/songwriter Paul Kennerley, on whose 1980 concept album The Legend of Jesse James she had sung back-up. Together, they began formulating a record called The Ballad of Sally Rose, employing the pseudonym Harris often used on the road to veil what was otherwise a clearly autobiographical portrait of her own life. Though a commercial failure, the 1985 record proved pivotal in Harris' continued evolution as an artist and a risk-taker; it also marked another chapter in her personal life when she and Kennerley wed shortly after concluding their tour. Angel Band, a subtle, acoustic collection of traditional country spirituals, followed, although the record was not issued until 1987, after the release of its immediate follow-up, Thirteen. Harris, Dolly Parton and Linda Ronstadt had first toyed with the idea of recording an album together as far back as 1977, only to watch the project falter in light of touring commitments and other red tape. Finally, in 1987, they issued Trio, a collection which proved to be Harris' best-selling album to date, generating the hits "To Know Him Is to Love Him" (a cover of the Phil Spector classic), "Telling Me Lies" and "Those Memories of You." The record's success spurred the 1990 release of Duets, a compilation of her earlier hits in conjunction with George Jones, Willie Nelson, Gram Parsons and others. Fronting a new band, the Nash Ramblers, in 1992 she issued At the Ryman, a live set recorded at Nashville's legendary Ryman Auditorium, the former home of the Grand Ole Opry. At the time of the record's release, Harris was also serving a term as President of the Country Music Foundation. In 1993, she ended her long association with Warner Bros./Reprise to move to Asylum Records, where she released Cowgirl's Prayer shortly after her separation from Paul Kennerley. Two years later, at a stage in her career at which most performers retreat to the safety of rehashing their greatest hits again and again, Harris issued Wrecking Ball, perhaps her most adventuresome record to date. Produced by Daniel Lanois, the New Orleans-based artist best known for his atmospheric work with U2, Peter Gabriel and Bob Dylan, Wrecking Ball was a hypnotic, staggeringly beautiful work comprised of songs ranging from the Neil Young-penned title track (which featured its writer on backing vocals) to Jimi Hendrix's "May This Be Love" and the talented newcomer Gillian Welch's "Orphan Girl." A three-disc retrospective of her years with Warner Bros., Portraits, appeared in 1996, and in 1998 Harris resurfaced with Spyboy. -- Jason Ankeny, All-Music Guide
CMS food bank helping south Cowichan residents help each other South Cowichan residents are taking care of each other and this holiday season Terry Eden, President of the South Cowichan Food Bank, is grateful. "We couldn't do anything without the community. The community is just awesome. We put the call out and everybody is there. We really appreciate it." Last year the food bank provided 250 food hampers to those in need living south of Koksilah Road to the Malahat. Eden said it is thanks to the many contributions by local schools, organizations, businesses and the 50 regular food bank volunteers. "(There are) donations from the community to fill hampers. We get food from the schools. There's the gift bag program in conjunction with Thrifty's: you can buy so much to donate toward the food bank. People around here are quite good about knowing what we need and trying to help us out." On top of the hampers, the food bank has Toy Drive to provide gifts for families with children. "People don't ask for a lot, they just want something for their kids. They want to be able to put something under the tree. We do about 200 kids, who must be in school." Eden tries to gather gifts on each child's wish list. There is a tree at Thrifty's and one at Curves in Mill Bay. People can pick a name off the tree, buy the gift, and bring it to the food bank so Eden can bring it to the families before Christmas. "I distribute the gifts unwrapped in a gift bag and the family can wrap it. Then they know exactly what they are giving the children. I usually try to get an article of clothing as well. These kids don't have a lot." For all programs at the food bank, privacy is paramount. "We code everything. No real names are given. Their privacy is respected." Eden said there is a misconception that those who live in Cobble Hill, Mill Bay and Shawnigan aren't in need. "We have a lot of working poor. They've lost one job. They can't make it anymore. Rents are expensive. We are here to help them." Eden said pride is a barrier for some people to come into the food bank but once they do, they are considered part of the food bank family. "A lot of people don't come unless they really have to. There is the issue of pride, and I can't blame them. They realize Christmas is here and they can't make it." The food bank can help anyone who has as proof they are residents of South Cowichan. "We have to have proof of address. We work together so there is enough for everyone in the community." The CMS Food Bank is one of six beneficiaries of the News Leader Pictorial Pennies For Presents campaign. Cash donations to Pennies For Presents can be dropped off at the News Leader Pictorial's office in Duncan at 5380 Trans Canada Highway. For more information call the office at 250-746-4471. You need to know The South Cowichan CMS Food Bank is located at 2740 Lashburn Rd in Mill Bay. Hampers go out every Tuesday and Thursday between 10 a.m. and 2 p.m. Bread is available every Tuesday. The last hamper goes out Dec 13. The food bank is open for emergencies the week of Dec. 17 between 9 a.m. and 2 p.m. The CMS Food Bank accepts donations of non-perishables and produce. Call 250-743-5242..
Vyacheslav Astapov, a spokesman for the prosecutor's office, said the officers were cooperating with investigators in providing details about the crime, The Associated Press reported. The reported confessions are the latest in a series of developments in the high-profile case, which had marred the integrity of the Ukrainian government and justice system. In an interview with the news Web site Ukrainska Pravda (), which was once edited by Gongadze, President Viktor Yushchenko said the two former police officers had led the investigators to the crime scene and had "demonstrated how it all happened." The officers had been charged with murder shortly after they were detained in early March. Yushchenko, who was propelled to power in last year's opposition-led Orange Revolution, had pledged at his January inauguration to revive the long-stalled murder probe. He is now in the United States on an official diplomatic visit. "We are encouraged by the progress in the Gongadze case. But to truly end this grim chapter in Ukraine's history and set the course for press freedom, authorities must identify and prosecute all individuals responsible for this horrible crime," CPJ Executive Director Ann Cooper said. In a separate development, the Strasbourg, France-based European Court of Human Rights agreed on March 31 to hear a lawsuit filed by Myroslava Gongadze, widow of the slain journalist, against the Ukrainian government, according to local and international press reports. In her claim, Gongadze said that Ukrainian authorities failed to protect her husband, and she accused them of creating a climate of fear by issuing conflicting statements about the investigation, the news agency ITAR-TASS reported. She filed the claim on September 16, 2002. Gongadze said she is still pursuing the lawsuit because of what she called the "criminal inaction" of the administration of former president Leonid Kuchma. Gongadze said she wants to establish an international precedent holding authorities accountable for their actions in such matters, according to local press reports. Background Gongadze, editor of Ukrainska Pravda, which often featured criticism of Kuchma and other high officials, disappeared in the capital, Kyiv, in September 2000. His decapitated body was found two months later in a forest outside the city. The revived investigation has also led to the questioning of top government officials. The prosecutor-general's office questioned Kuchma last month. Authorities did not disclose details of the interview, but Kuchma previously denied allegations of involvement in the slaying. Former Interior Minister Yuri Kravchenko committed suicide on March 4—just hours before he was to be questioned by prosecutors. A parliamentary committee last year recommended that a criminal case be opened against Kuchma, who allegedly discussed ways of silencing Gongadze in tape-recorded conversations with senior government officials. The audiotapes were made by former security agent Mykola Melnichenko. The Ukrainian government confirmed that Yushchenko plans to meet with Melnychenko when visiting Washington, D.C., this month. Melnychenko, who was granted political asylum in the United States in 2001, is considering testifying in a murder trial if his security in Ukraine can be ensured. For CPJ alerts on recent developments in the Gongadze murder case, visit the following links: (March 1, 2005) (March 4, 2004) (March 11, 2004)
Props to these 116 amazing companies who answered the call to show why they have the Coolest Digs in Town. Judging of more than 190 nominations is underway so watch for more details on the September 24th award ceremony hosted by the Ritz Carlton's Silver Grille at the Higbee Building. You won't want to miss this one! Adcom/Optiem Communications Akron General Medical Center Allegro Realty Advisors Ltd. Ambiance Inc. Amotec Inc. Applied Industrial Technologies AultCare Automotive Events Baker & Hostetler Barnes Wendling CPAs Inc. Beacon Financial Partners B&F Capital Markets Bruner-Cox LLP Buckingham, Doolittle & Burroughs LLP Charter One Chartreuse Ciuni & Panichi Inc. Cleveland.com Cleveland Cavaliers Cleveland Marriott Downtown Cox Communications Crimcheck.com C.Trac Information Solutions Custom Crafted Counters Inc. DAS Construction Direct Opinions Dix & Eaton Edward Howard ERC Everstream Inc. Ernst & Young Family Heritage Fast Focus Careers FedEx Custom Critical Fieldstone Farm Therapeutic Riding Center Findley Davies Inc. FIT Technologies/SchoolOne Fleishman-Hillard flourish Inc. The Free Medical Clinic of Greater Cleveland FSN Ohio Garland Industries Inc. Great Lakes Benefits & Wealth Management Greater Cleveland Habitat for Humanity Greater Cleveland Partnership/COSE Group Management Services GTS Communications Hairline Clinic Hattie Larlham Heartland Payroll Group Health-Mor Hitchcock Fleming & Associates House of Blues Cleveland Howard, Wershbale & Co. Hyland Software Idea Engine Inc. Jones Day ka architecture Kalman & Pabst Photo Group Kohrman Jackson & Krantz PLL KPMG LLP Liberty Bank N.A. Liggett Stashower LOGOS Communications Inc. MAGNET Malone Advertising Maltz Museum of Jewish Heritage Marcus Thomas LLC McDonald Hopkins LLC MCPc Meaden & Moore Melamed Riley Advertising Modern International Graphics Inc. National Interstate Insurance Company OEConnection Pease & Associates Inc. Performed Line Products Progressive Insurance Proviti Inc. Recovery Resources RGI International River’s Edge RPM International SageRock SCK Design Inc. Shearer’s Foods Inc. Skoda Minotti Spectrum Surgical Instruments Sports Construction Group LLC Sooy + Co. Saint Luke’s Foundation Supply One Cleveland/Columbus SS&G Financial Services Inc. Studio Graphique The Carmon Group The Cleveland Foundation The Hyatt Regency Cleveland at the Arcade The Krill Company The Lube Stop Inc. The MetroHealth System The NRP Group The Reserves Network The Ritz Carlton, Cleveland Think Media Studios thunder::tech Time Warner Cable Today’s Business Products Todd Associates LLC Trevarro Inc. Ulmer & Berne Visconsi Companies Ltd. Visual Marking Systems Inc. Vocon Wellington Technologies Inc. WhiteSpace Creative Zig Marketing
Ewwwwww? 37 comments: in like manner that deep calls out to deep...the opposite is also true. and i cannot fathom the number of STDs amongst that trio...from dave to tila, tila to dave, tila to nick... *mind boggled* Wasn't she a Lesbian? Wasn't see preggers also a while back? I thought her true love was that Casey chick that died ... Oh and that Dave guy ... ewwwwwwwwwwwwwwwwwwwww Bleh, the two pieces of crap deserve each other. I feel filthy. I'd say they deserve eachother, but it's all so pathetic. Umm, why 'EWWWW'? That "Ewww" should be "Yay for containment!" I can not think of two people who deserve eachother more. Ms. Goodhand, gossip reporter, has a lovely profile on the Radar Online site.... Awww, what a cute couple! Almost cute as his Mom and her boytoy Hulk look alike or his Dad with his pre-teen daughter look alike gf. Hey, Nick is just trying tp keep up with his scuzzy parents to see who can bring the biggest piece of trash home to meet the family. Nick will have to answer for all he has done one of these days. No one escapes judgment. I thought that was Amy Winehouse and I immediately thought, "She could do better." Enty, Why do you leave the worst pictures up for the longest time? just so they don't have kids! well this is about the grossest thing I've read in a while. add paris hilton to the mix and some kind of drug-resistant superbug would be created. yuck. shudder Seems like a perfect match to me. Ms. Goodhand is a former high school teacher. And caught the "journalism" bug. Does that mean she actually went to school for journalism? I always wondered what kind of credentials people that work at places like TMZ, Radar, etc. have (if any, like Good Hand). There isn't enough purel in the entire country that would make me want to get anywhere near these two. And I thought Denise Richards and Nikki Sixx was gross. How old is this douche? 18, 19? And completely bald. I don't wish baldness on anyone at such a young age (or any age for that matter) but he deserves it. Brings the sleezebag out in him. Enty raises a good point. We snark on a lot of people here but most of them have never really hurt anybody. Then we get oozebags like Nick here. THIS is the type of guy that makes me physically sick. Chris "Ah ain't no woman beater no mo'" Brown makes me sick too. @MCH - I have a feeling Harvey at TMZ picks top journalism students or law students. As for the cameramen he picks - I think he could be a bit more choosier there. Most of them look like they annoy everybody all the time. Just re-read this and for some bizarre reason can't stop laughing at "knocking boots". Nice one, Grandpa Enty :) Ok, call me crazy, but why the enormous hate for Nick? He has had his time in court. It wasn't as if he purposely went out of his way to hurt his friend. Stupid, risky actions, yes - but not on purpose. Is he supposed to stay in hiding the rest of his life? Did he leave the friend there to die? 05: Prior to the accident, he had been ticketed numerous times for speeding. At the time of the accident, he had been drinking and was again speeding. His passenger requires round-the-clock medical care and he gets to be a "celebrity". It's just not cool. @05 - Just google John Graziano Brain Injury and you'll see what that piece of shit Nick did. WARNING!!! The photos are extremely graphic and disturbing. Seriously! How many time you want to be that it was the other way around and John was the one speeding and driving recklessly? Thats just the culture for a lot of young guys in that area of Florida, Fast and Furious wanna-bes. Not that anyone deserves permanent brain damage but it is not fair to paint him as a saint and Nick as the devil. It was an accident, preventable yes, but an accident nonetheless. I'm with Alleycat on this one. Nick may be a douchebag, but it is not likely he was a douchebag on his own and there were probably plenty of times both boys were out hot rodding. They were an accident waiting to happen and it just happened to be Nick driving that night. Of course it would be nice if he could show a little contrition but I blame the parents for that as well as him. I know he went to jail, but has he actually "apologized" for what happened? and Angelina from Jersey Shore is pregnant. Gross day! so you have reverted to your old ways. i knew this wasn't gonna last long. Hesitate to say anything in defense of Nick Hogan but I will also chime in to say/ask Wasnt the passenger NOT wearing a seatbelt? Also, as many pointed out it seems like they both have this sort of death defying, parents buying them speeder cars more equipt for race track transportation. Im NOT advocating we give Hogan a break here by any means but, like someone said, to paint him as the devil and resonsible 100% for this seems wrong. that being said- whoa am I glad the contamination of these two celebretards is confined to the two of them. Now if only Amy Winehouse (love her music) and Paris Hilton would join their sex party and stay there we would have cleaned up like half the cause for valtrax in the first place :) I don't know how Nick Hogan lives with himself in the aftermath of that horrible outcome for his friend. You'd think he'd be a little more concerned with raising awareness of what can happen when you're utterly foolish and careless and as a small measure of compassion for his permanently disabled former friend. He's totally heartless and even dingbat Tila Tequila is too good for him. at least she doesnt look like his sister... Lori - no, but he looks just like her sister. So, still gross. I just realized that sentence made no sense. I cant even figure out what I was trying to say. Need coffee. Advice to Tila Tequila: either you drive, or hail a cab. I think that pic of Nick looks like Joseph (Joey) Lawrence.
Random Photos Part Two - Fashion Week Jessica Alba looked good. That is leather at the top. At the same show was Amber Heard. Stacy Keibler spending some time away from George Clooney was also there. Victoria Beckham shows off one of the creations from her show. Matt Damon even made it for Fashion Week. This is how those photos are taken. Renee Zellweger makes it two days in a row at Fashion Week. Sharing the front row with Anna Wintour are Viola Davis and Maria Sharapova. Leighton Meester was also front row at a show. 37 comments: Gee, Anna Wintour looks like an absolute joy to be around.[/sarcasm] I love Amber's dress. I saw another photo where Miss Anna was talking with Viola and her husband. But you sure couldn't tell by this pic! That's the worst I've seen Leighton look. I too would hold on to Matt Damon tightly if he were my husband. OMG how annoying would all those photographers in your face be?? Poor Viola and Maria. I hope Anna Wintour spends all of eternity at a Sears fashion show sandwiched between Nikki Minaj and my sister. Love the top three dresses. Sorry Jessica, not a fan of the summerish looking dress with heavy tights unless you are wearing something more winterish on top. Looks unbalanced. LOL it's easy to believe that Anna's nightmare would include having to wear something made at Sear's. it's fashion, not splitting the atom. Dear Gods the sour look of such seriousness on their faces is beyond silly.. Redheat, we think alike (JA comment). The dress is ugly (I think) but the opaque tights kill it. And yeah, what happened to pretty Leighton Meester?. Posh's shoes are the perfect nude shade for elongating the leg, but I like the style of Renee's better. I'd hang on to Matt also, what a honey. i would love to run up to wintour, take the shades and run like hell! Regarding the black tights, I understand what you are all saying, but I think the leather at the shoulders could counterbalance the black tights. Skeball: I double dog DARE YOU to try that one day if you ever have the chance! Miss Anna will CUT YOU for sure. Or send Andre Leon Talley to slap you silly. LOL! I think Renee looks good lately- softer, less sinewy. I couldn't imagine all those photographers in my face. NO thanks!! Yeah, what's with Leighton? She's always been one of my faves, and she looks awful here. Hoping for just a bad angle or lighting. I think it's Leighton's bangs -- her face isn't the right shape for them. I conclude that any husband willing to attend frickin' Fashion Week with his wife could not possibly be the person mentioned in the BI about the husband thinking about leaving his wife for not watching enough sports. Leighton's shoes with that bag is all wrong. Reminds me of The Nanny episode where Mr. Sheffield rushes Fran, and her purse is all wrong for her outfit. She ends up being photographed as a fashion "don't.". @Mooshki, ordinarily I don't like that hem length with shoes like that but her legs are 20 feet long. There's only a handful of women that can pull that off, the rest are "real women" (hahahahahahahahahaha). I'm with lutefisk--all kinds of mis-matched-ness going on w/ Leighton.. I'm thrilled to see the ladies getting away from the one foot crossed over the other *peeing myself* pose. . Posh looks like she's wearing pj's and high heels. She also looks like she's never had a child. She really needs to up her celery stick intake to 2/week. Man, Alba's dress is killer. Love that color. I heart Renee Z.. @Del Riser - YES!!! Me too! What IS that pose? !
Tom Hanks Is Going To Play Walt Disney In Mary Poppins Movie I have to say this movie actually sounds interesting. At first I thought someone was going to remake Mary Poppins which I have been prepared for and am expecting because I think there is room to make a darker version. Not dark like Paranormal Activity where the children disappear and come back later and kill Mr. Banks, but just not so animated and cheery. Anyway, apparently PL Travers did not like the way the movie turned out either, and this movie is going to be about the making of Mary Poppins and Emma Thompson would play PL Travers and Tom Hanks would play Walt Disney. It took 14 years of persuasion before Walt Disney was finally able to secure the rights. The movie is going to be called Saving Mr. Banks. 18 comments: I read about this I believe the part of the movie she hated was the animation scenes. Never saw it. I saw a little bit of the animated stuff and was not impressed. I do love Bedknobs and Broomsticks, though. I'll definitely see this. My oldest was OBSESSED with Mary Poppins from about ages one to three, so I've seen it hundreds of times. And, I have to say, enjoyed it every time. The backstory regarding the rights, the making of the movie, and the music is fascinating. But I'll freely admit I'm a nerd. It'll just be me and my son in an empty theater cheering like crazy people for the Mary Poppins tell-all :-). And that's ok. Spent time in London at a Sufi school. Yeah, there was a pupil outside of the building (with his wife on a farm, wearing rough clothing in a self-styled punitive way) and how he received his education led to his recovering from playing James Bond AND not so wonderfully to his mania for brutal lawsuits. Teachers there were very good, even remarkable. Who was the best? I'd say she was the late P.L. Travers... and you can register for her classes now by reading all her Mary Poppins books. Wow, I feel so lame and out of touch. I had no idea Mary Poppins was based on a book/s. How many were there? I would love to read them and see how they compare with the movie now. I loved the animation scenes.... Supercalifragilisticexpialidocious! Is he going to have his head popped in an icecube at the end? Maybe have Wilson in a cube next to him? (sorry, in a dark place today) The Mary Poppins books are awesome. I love the film as well. I loved Dick Van Dyke in it. And I loved when they jumped into his pastel sketches on the sidewalk. Beautiful film, IMO. I really don't like Tom Hanks, so might not want to watch this. *passes BigMama some milk and cookies* Hope your day gets better hon! I agree with Sylvia, I am rather over Tom Hanks.. @JoElla - thanks, can you throw a new job in with that? LOL Love me some cookies though! @BigMama, whatever is going on (and it's definitely something, you don't sound like yourself) - hope it gets better soon. Hugs from the EmEyeKay household :) Thanks Em - early 40's is a scary time to think about a new career especially when you don't have any talent or education. Interesting timing for this announcement -- right on the heels of the obvious BI about Hanks' son and his criminal activities. Hanks people apparently don't remember/know of Disney's reputation as a Nazi sympathizer. @BigMama - Sorry you're having a bad day. You routinely make me smile, so there's that. :) Enty wanting a darker Mary Poppins made me giggle. I loved the original. I love Tom Hanks and Emma Thompson, so I'm sure I'll see it. AT LEAST IT'S ORIGINAL!! ugh walt disney the 33rd degree mason who started evil disney empire? who was obsessed with animals, little boys butts, and had an alchohol problem, and would spend all of his time in the nether-tunnels underneath the magic kingdom of mind control? This dark enough for you Enty? (Freaking love Mary Poppins!!)
: . I have a former co-worker who was addicted to Oxycontin; she did a 10 day detox, and has been on Suboxone for three years. She's very dependent on that, now. Just seems like such a vicious cycle. Is it all for Big Pharma to make some serious profit? And I agree, pretty shitty of her friend to do that. honestly MTV should be responsible for these kids, they throw them into the media spotlight and then when they are done with them they are done. MTV should pay for her rehab and therapy for the rest of her life. Enty how did you get a hold of this? It looks like FB chat, not twatter. This girl needs to get control of herself. Kiefffffaah! I knows what you dids Kiefffaaah! I be seein you wif Kieffah and its bad news Jenelle, Kieffah is bad news.". @goes - Yeah, she's had a lot of psychological issues and finally had a total breakdown and took herself to a mental health facility. I suspect a lot of addiction goes hand in hand with mental health issues, because they use it to "cope" or just feel differently than they feel. Not all, obviously. no idea, but I remember a while back Amy announcing her pregnancy then miscarriage. She always came off as such a sweet (although at times, had an 'im better than you' 'tude) I admit I was totally shocked when I saw these (they were released by James Duffy on his twitter @JamesDuffy01) . I actually feel for her. Heroin withdrawal is no joke. About 5 years ago, I used to use it with my boyfriend at the time.. smoking it but after I finally left him he started shooting it. As far as I know he still uses to this day, and has been in and out of rehab. The withdrawal just from smoking it a few times a week was excruciating so I can't imagine what it's like withdrawing from a full-blown opiate addiction. I can't stand this girl but I wouldn't wish that hell on anyone.. The drugs that are used to help withdraw off of drugs from is most often harder to withdraw from. My ex was on methadone and suboxone multiple times. The first time I felt bad, after multiple times my sympathy was non-existent. And yes I've been clean for almost 4 years, but I was the binge kind of user, not the everyday hooked kind of user. I just didn't stop until I blacked out or went on a few day binge. Suboxone is the devil. And ten times harder to kick than H.. The H w/d is more acute but the sub w/d is much longer in duration. People think subs are a life saver but all they are is " harm reduction ".. My prayers to all struggling with this affliction. I have one year clean this month after battling opiate addiction for 9 years. I take it this is a Teen Mom? What more evidence do we need that humanity is going straight down the shitter than the Teen Mom franchise and Kimye reproducing? But to step off the soapbox for a moment, this whole exchange is deeply disturbing to me. And, as several people mentioned above, clearly not intended for the public eye. Sad. Freaking awesome those who got clean !!! Seriously ..I have to take pain medication and I didn't realize my body was addicted until I ran out for one day . In the bathroom and couldn't sleep with the chills so bad and that was from 1 damn day! Wouldn't wish it on anyone ..except maybe child molesters . Good job on kickin ..that rocks :) I sat on a jury in October that was a child abuse murder case. The young man turned twenty-five the day before we gave him 100 years for first degree murder. The only drug he had in his system when he dealt the death blow to an 18-month old little girl? Suboxone. Ditto for DBT being developed for BPD. It was being pumped up as the second coming of group therapy until Medicaid put some heavy restrictions on how long someone could attend group, individual therapy, ect. Since DBT is designed to be gone through ag least twice I see it fading out. Aaand.... I just remembered I have to finish my progress notes! Thanks for jogging the memory! Lol. One more thing. A friend of mine has some severe back problems and is prescribed about 125 lortab each month. When he has a bad pain month and runs out early, he gets severe back pain AND withdrawal. Now, he keeps a bottle of imodium for those times. He still hurts like hell, but he's not putting the flu on top of it. (I forgot to mention that loperamide doesn't relieve pain, you can't take it for a headache, for example.) I've never used street drugs, but trying to withdraw from Methadone my specialist gave me? Horrific. Why he thought that was a good idea, I'll never know.
Posted by ent lawyer at 6:45: Its Britney, bitch! I wonder what JLo would say about this... Shouldn't Eve get back to her shift at Subway or whatever she does these days? Not that they couldn't find someone to mimic her, but the song sounds like Britney. Thanks, Enty! I actually like Eve. I think she's a good MC. I used to constantly listen to her Scorpion album when I was in grad school. However, I've heard this song and it sounds exactly like Brit's normal speaking voice. It probably is her "singing" with heavy auto tune. I know some people think Britney might be MV, but I think her singing voice sounds a lot like her normal voice (same with JLo). I also can't imagine paying someone to sing that poorly. Just my opinion. Is Enty toying with an MV reveal? Fishing for clicks from us old-timers? FINE. Let's talk MV here today, if y'all want.... I do believe there is some heavy MV hinting in all the Britney items. Then again, ur-Enty supposedly liked Britney, right? I'm not disagreeing, but the first thing I thought of when this came to light: Remeber when Britney went cray cray and was hanging out with Sam Lutfi? She recorded a whole album during that mess! Wouldn't Sam have said something by now if it wasn't her? That being said, this is nothing new. C+C Music Factory got in trouble back in the day for using that skinny model to lip sync instead of correctly crediting the zaftig former Weather Girl who really sang all the female parts on their tracks. And now Britney is on so many meds she probably wouldn't even realize if the voice that ends up on the track isn't hers GMG, that's the problem I have with Brit or JLo being MV---If it's either of them, their trashy-sounding (sorry) real voices are layered over the other singer. I never thought MV was Britney. There's the footage of her singing as a child plus stuff like her on Ellen going door to door singing Christmas Carols. She has never had the best voice & they inflate the hell out of it, but it's her neither the less. I always thought it was JLO. The only part that is iffy for me is the fake accent part. The rest sound like Brit. I'm more interested in who that guy is Brit went to dinner with last night! Really? I feel like there's more blatant hinting with regard to JLo. He makes comments about her "carefully crafted image" etc. @VIP - I think Sam would've. He's out to destroy anyone he can for a buck it seems. Also remember during that time she kept speaking in a British accent to the paps. It sounds like her to me, and her vocal part is pretty minor in the song anyways so I don't get why it's a big deal. Britney sounded like Britney back on Mickey Mouse Club. I really don't think she is MV. I guess Eve is half correct, since the song is almost all auto tune, as well as Britney's attempt at an English accent. The song really sucks. I don't know about the song, but I don't think it's her in that photo @Lotta, Britney had that horrible reality show for a short time. She attempted that accent often. It's her. I was shocked that someone thought it was a good idea to add it to the song. So, Eve said she heard something from someone sometime that may or may not be true. I think someone just wants to get their own name back out there. I do think its Britney. She only has a couple of lines to sing. It would be more trouble than its worth to have a 'cover up'. Sounds just like her too. Like when she sang Happy birthday to L.A. Reid on X Factor. They said on the radio this morning that Eve had said it was not her voice in the British part. Then Brit's camp replied that she did "sing". They didn't argue about the speaking part. I think it sounds just like her. That sounds like her regular voice. Where's Shelly? @Rickatoo - it's 30% her, and the rest is makeup, lighting, and photoshop. She looks fantastic in the video, but again, makeup, lighting, and digital enhancement. She looks like Hellraiser in that picture. No one ever agrees with me, and I know Enty says MV is NOT foreign-born--But let me just say, again, that when Shania Twain first hit so HUGE (pre-internet, practically), I saw old beauty pageant VHS footage of her singing in a talent competition from just a few years before. I immediately perked up aghast and thought, 'THAT is NOT the same voice!' It was stunningly different to me. I had already noticed that she was a BAD lip-syncher in her videos, so my spidey-sense was all over ST. At the time, I assumed it must just be studio magic covering her real mediocre voice. Because of that footage though, and my reaction way-back-when, I can't help but 'hope' I was right, and Enty if lying about MV being American. I still think Jlo is mv.....Britney is barely singing on the song anyways. Hey libby if you think Shania Twain is MV I don't have a problem with that. I don't think MV is either JLo or Britney because of the things I've seen & heard from both (speaking voice/singing voice, etc). I know everyone thinks it's JLo and it could be but I don't think so. Definitely not Brit Brit, she sounds like herself even if everything is heavily dubbed & auto-tuned & lip synched these days. Ah Amber, sadly everything Britney is only 30% her these days, even her brain. :( Shania use to make the bar rounds up here in Canada (around 92ish - IIRC) before she hit the big time...I wish I'd seen her now! Hunter, I agree. I have no idea who MV is, but I realllly do not think it is Britney. I also don't think it is J.Lo. It would kind of suck if it was Shania. I swear I saw her on a show (CBS Sunday Morning, I think), talking about some duet cd. It showed her singing live, trying to record something, and she sounded the same. Haha, Rickatoo, I was thinking the same thing! Anyway, I never thought MV was Brit Brit. I hope she isn't. I think MV is a fake blind. Not that it hasn't happened. Just not at the scale Enty described. Plus, we now know he's a probate attorney. Can't imagine that he represented on that case. There was a clue that the first and last name of MV had 13 letters. JLo and Brit fit. Shania does not. That is why we are all stuck on Brit and JLo. What about Rihanna for MV? Mv was married and has kids so its rhi rhi @renoblondee I can see that, I was listening to it yesterday & the singing part sounds like her, without a doubt, but the speaking part "ya gotta turn this shit up", I can see that being someone else's voice, it doesn't really sound like her. And the "it's Britney, bitch" sounds like it was copy/pasted directly from that song she did a few years ago Britney is so overrated. I really don't understand her huge following. There's so little singing in the Britney part, I wouldn't be surprised if it was or wasn't her. It sounds like Britney's voice to me. I didn't know Eve was like that. If MV was a fake blind item, that would completely discredit CDAN in its entirety. And Enty is definitely not a probate attorney. I completely thought MV was Shania until the whole born in America clue. Since then, I think the clues lead to J. Lo. I kind of feel bad that this is how Eve is staying relevant. What happened to her? I remember the whole Sean Penn visiting her in jail, and then she dropped off the face of the planet. Anyone have deets? @Puggle, I'm familiar with her pink wig/fake accent days but this one sounds different on the song to me. I don't think it's not her voice, I can just see how other people like Eve wouldn't believe it. I can't believe people would take someone liked EVE's word for it anyway. I mean, where has she been? It's like if Tiffany came out of the woodwork to slam Beyonce's lip scandal! @B Profane. Did you not read that NY Post article that investigated and found that he handled Wills and Probate. Thing is, I think MV is fiction. I still spent a lot of time trying to figure it out and nothing fits perfectly. I still enjoy the site. I just take it with a grain of salt. So should everyone, given the disclaimer. @B.profane- I'm afraid we already discussed that topic earlier this week. You're too late. Ok for the regular posters here, what/where is this MV blind item you guys are all referring too? @pump, check out the sidebar and look for the tag labeled MV. There are several posts under that tag so you'll have to go back to get to the original blind item. @pump There were several posts, but this is the original: I have said several times I think MV is Mary J. Blige and I get no feedback from the CDAN community on that one. Am I completely off base? Everything fits IMO. I saw Mary J perform live on Idol once, dueting with Taylor Hicks. Very odd performance, but she was singing. Oh brother. Not the NY Post article again. Land Manatee- that would certainly be a big deal and it's an intriguing idea. I think, whether we want to admit it or not, the most popular MV guesses are singers we don't like for whatever reason. No one will stand up for J-Lo, but Mary is a well-liked (over-rated) and distinguished (drama queen) artist. My personal reason for not thinking it's likely is I've seen enough live performances with the runs and the bends and squats and crazy windmill arms to think she's not faking it. @libby. Just because J-Lo is (probably) Enty's MV, doesn't mean Shania can't be one too! "@B Profane. Did you not read that NY Post article that investigated and found that he handled Wills and Probate." Yes, I read it. It's been discussed many times. That article is fake. I mean, it's the frickin' Post, fer chrissake. The consensus is that that article is complete bull. Well, obviously, some want to believe what they want to believe. Consensus? I don't know. The whole Timmy/Shimmy thing drove a bunch of people away. I see absolutely no proof that anything Enty says is true. He even says it could be fiction. Even if he believes it to be true, it's gossip and subject to embellishment and the game of telephone. I have been reading this site since the MV thing and commenting occasionally. I don't think MV is real. Still enjoy it. Not sure why people get so defensive over someone they don't know... I just read an interview with Bonnie McKee who said she wrote and sang on Britney's newest album. "I see absolutely no proof that anything Enty says is true." You have not been reading closely enough. Someone connected with CDAN managed to get Donal Logue to do a long segment on AM radio. Someone had very timely, very inside info about Estella Warren's meltdown two years ago. Just for giggles, if there was an actual entertainment law attorney who had worked in the music business, been involved in a major beef with the Scientologists and worked in the reality show industry...would you believe that the MV blind item was legit? Or would you rather believe in massive coincidences and years of deliberate, detailed hoaxing. @B. Profane - I can't keep all the details straight, but in your former scenario...Said entertainment lawyer that worked in the music business AND reality...Remember Diddy's Making The Band? Association with Diddy would put him near Jennifer Lopez who is Co$. We all know how Co$ will pump any amount of money into upholding an image. You're right. I haven't been reading every comment thread because I don't have time. Not saying he doesn't have any contacts (though they all seem to be Canadian), but he didn't come through on several things. I assume you're referring to the aborted radio show that he asked people to donate money towards? I just don't buy the MV thing. If J-lo and Brit are the most popular guesses, it doesn't make sense. Neither are known for their singing and haven't changed a bit. I wonder why eve cldnt keep her big mouth shut? Who really cares if it was her ir not? Leave brit be, she has enough problems! @auntliddy - sometimes people say things like that because they think it'll make the relevant and interesting. It gets the attention focused on them because they're able to share something "juicy". Same goes for one-uppers! Hey @Caralw - I don't think anyone, save Jax, knows who Enty is but the general consensus is by outing him will cause this site to cease, and nobody wants that. IMO, and many others, Enty was sending that Post "reporter" on a wild goose chase. It was published under "opinion" on the Post either the day of or after April 1st. The "reporter" only cared to chase Enty down after the Himmmm media blowup. It makes perfect sense to me. None of us take everything here as truth, but it's damn entertaining. So every time a poster brings up that inane NYPost "article", I am dumbfounded. Think about it: if Enty had granted an honest interview, he'd be signing this site's death warrant. Please let it go. it is a shitty song, regardless of whether brit brit actually sang or not. it is a shitty song, regardless of whether brit brit actually sang or not. I just want to say that mv/enty/cdan speculation threads are my favorite. That is all. Shanks isn't foreign born.......I thought she was born here and just grew up in canadaland. LOVE this guess! I effing hate her. Shanks=shania autocorrect STAYS Land Manatee, interesting guess! I don't think it's J.Lo or Britney, so it's nice to hear another possibility. I can't believe people are still discussing whether Britney really sings on her recordings. It's obvious that all of her songs are heavily manipulated in the studio and/or have supporting tracks from other singers. Anyone who's seen Crossroads (Yes, I love bad movies, and I'm not ashamed to admit it!) knows that she has a pretty but very weak voice, and she needs a lot of "help." Some of the singers they get to help her out don't even sound anything like her. Who cares. Pop music is so auto-tuned and processed now you could argue that nobody really sings anymore. When I saw Eve say that on WWHL I screamed "MV" at my tv. I wanted to believe it was JLO, but when Enty said it would rock the industry I thought it would have to be Brit Brit. Shanks Twain's birth name is Eileen Edwards. 13 letters!!!!!!!!!! With all due respect, I am not trying to "out" Enty's true identity. I don't really care who he is, tbh. I hardly think expressing some healthy skepticism in the comments section could do that. I didn't bring up MV. I just expressed that I don't believe that particular blind. YMMV. @Lunaire- Bonnie did background vocals. Thats what she meant. She did them on Katy's records as well. @B.Profane- what do u mean it would discredit Enty? There's a friggin disclaimer at the bottom of this website that basically says half of what you read here is fiction and the product of Enty's imagination. Its insanely obvious that a lot of the blinds are made up. Shania came from a disadvantaged background. I don't think she could have afforded good voice lessons until well after her dinner theatre and pageant days. If you listen to her in interviews, you can sense the intelligence there. She looks quite a bit different from when she was young. She's definitely had surgery here and there (like most entertainers). I think her voice has been strengthened by working with voice coaches, who help singers to make the most of their natural talents. Jax once said that enty has never truly hidden who he is...and it's not surprising which celebrities pop up here over and over. I fucking LOVE will.i.am. If you have never seen his appearance on Graham Norton with Miriam Margolyes, do yourself a favor and watch it. i dont think its here 100% on the song at all just the hook and the video all she does is that turn and stare look shes not all there man Amen, Tuesday, Amen. Good Lord, a little detective work and you too can find out who Enty is and who he/she connects to and all the rest of it. It's the readers and the ever changing community who make Enty successful. Interesting Read/Interview What do you all think? Which clue debunks my guess? Would love to hear your take on this! @Agent...exactly. @ Libby - as much as I would like to back you up, I've seen a couple of old Shania Twain videos (one of her singing at some Canadian mountain resort) and it sounds like an earlier, not quite so polished version of her. @ CeeJay - Shania spells Eileen with two L's. Eilleen. Makes me seem like a Shania fan, but I'm not, honestly, although I did see a "Behind the Music" show or something like that with her once, and she seemed to have a human head. I think MV is J-Lousy. I mean J-Lo. That's Britney Bitch. even the britsh part is her. She was speaking British the whole 2007 era with her pink wig. Nobody remembers that. So this MV thing. What is it in short version The person doesnt sing in their own song? I tried to read it and I didnt understood nothing lol @CeeJay-Shania was born in Ontario. I might be missing something here but I don't understand why everyone is guessing either J.Lo or Britney for MV? They are both piss-poor singers. I would think that if the industry was going to concoct this whole lie, they would want someone with actual talent to stand in for MV. If you're gonna fake it, why not hire someone who's really good? It's pretty clear that Enty doesn't care about having his identity revealed. CDAN has bashed COS so fiercely and doggedly, he had to have known that the clams would crack the anonymity of the blog (although I suspect he was already on their Known Enemies list). I like the MJB guess. Also, it's Britney. Sounds just like her. For newer readers who may have missed this. MV stands for Milli Vanilli...they were the 90s group who won numerous Grammies for vocal performances that it was later revealed they had not done. I have long thought that the music industry nor the general public would be in shock to discover that JLO or Britney didn't sing on their records...or received a lot of help via atuo tune and electronic genius. Mary J Blige...now that would be huge. LandManatee, great research !! Ha! It's not Britney, it sounds just like the voice double that she's always used, that's why it sounds like what we think is her. Eve said it with a smirk and eyebrow raise, like she was sharing gossip. Enty's absolutely right, she has inside knowledge, inside gossip, and was repeating the rumor. Britney's a fake, and I don't give a damn. Her double should be paid though. Come on Brits Dad! Cough it up! The NY Post article about Enty was filled with misinformation provided by Enty to throw everyone off the trail. Like he's going to say, here's my i.d, my work address, my home address, my social security number, to the whole fing world so that CDAN has to end, and again, his career is ended? Enty's smarter than that people, come on! So Enty produces a fake bar card? That's a felony. If he's that cunning, why do people doubt he can make this shit up? It's brilliant. Oh and CO$? They have bigger fish to fry. His comments are nothing compared to the articles from Tampa that he posted. I saw Mary j live a few yrs back back and I'm telling you now she sang her ass off. Amazing powerfull n beautiful voice gave me goosebumps . No way is she M.V . no way
Your Turn Giuliana Rancic is in the news again and not because she suddenly decided she was going to eat. She says that she always puts her husband first and her baby second. So, what about you? Baby first or significant other first? Giuliana Rancic is in the news again and not because she suddenly decided she was going to eat. She says that she always puts her husband first and her baby second. So, what about you? Baby first or significant other: Do you really have to choose? Nothing wrong with that! Happy parents, happy baby. Don't people say to greet your spouse first before anyone else? It doesn't mean she doesn't love that baby of hers! I don't have any babies but I don't see anything wrong with putting your hubby first. I'm totally BUMMED I missed B's hissy fit yesterday. I have to do something about this thing here I call work. Hubby first, kids second, especially now that they're older. Speaking as someone who is not married and without kids, I feel like you have to put the baby first, at least until it gets to a certain age. I heard some relationship advice once from a man who is on his second marriage (he got it right the second time around; been with second wife for 30 years). He said that in his first marriage, he and his wife each gave 50%. But that left 50% of their needs unmet. In his second marriage, he and his wife both give 100%, and all of their needs are met The problem with my marriage was my husband put himself first, always. No kids yet, but a happy marriage begets a happy family. How is it putting your kids first if you aren't getting along with their other parent? The times that I was unhappiest as a kid were when I feared my parents getting a divorce or when there was discord. I remember reading about a survey years ago...where a bunch of women and men were asked the same question. The asked if a house was burning and you could only save one, would it be your husband or your children? You can't save both. Almost 100% of the women said they'd save their children and most of the men said they'd save their wives/S.O. The explanation the men gave for choosing their wives over their children...a majority said they would be devastated, but could still have more children with their wives. I think it's about balance. Obviously you need to put the baby first, at least for the first little while because that baby depends on you to stay alive ! You don't need to neglect your significant other in the process. Parenting is a team effort, anyway. But obviously I'm speaking as someone who doesn't have nannies on staff full time. I'm not even sure what she means but It was a little hard to have a conversation with my husband with our daughter crying in the background. How do you make a hungry baby wait just to finish the rest of a story? Without knowing the context it's hard to say. Are we talking about if only 1 person gets to eat its the husband and not the baby? Ha ha or if the husband wants a blow job but really she should be changing the babies poopy diaper? If do than boo to her. But if she means she gets a sitter twice a week so she can go have time with her husband Good for her. I guess it depends on how old her kids are also. Minor one and two so that kind of changes things Kids first, always IMHO If people took better care of their children in our society( love nurturing being connected) then our society wouldnt be in the shithole it is. Look at all these postings on CDAN: cheating cheating cheating...so relationships come and go...kids are yours FOREVER. Shameful toothy celebutards I meant to say I can so relate;-) I put my husband first but if someone was pointing a gun at my family, I would save my children. I have neither so I can't really speak/judge her. But I feel like when the child is an infant it should be hubby first, how can you provide a good environment for your child if you live in an unhappy house? Especially when it goes from being just the two of you to now a baby that demands so much time and attention (not a bad thing!). And just because you want to put your significant other first does not mean the baby is totally neglected either, obviously in a loving home everyone involved is receiving the love and attention they need and deserve. :-( Its a problem I wish I had. I dont have either a husband or kids and am now at the age where both are impossible to get. Giuliana is lying though--its herself she puts first just like J Ho and the kardasssions and all the other celeb moms. None of them ever raise their kids anyway--they have nannies for that.. Look around the Hollywood/celebrity types. Perhaps if the adults didn't let the kids run the show (looking at the Lohans for starters) the family wouldn't be such a mess. I have to say the child first, granted I have a toddler so there is no real choice. I think my husband would probably say the same thing. As he gets older though that may change. Happy child=happy parents (in my house). Auto correct is an asshole. I mean mine are 1 and 2, not minor I also think it's a matter of balance--young children, esp. babies & toddlers, are totally dependent on their parents and require a lot of time and attention, but you do still both have to make time for each other and your marriage, because if you two are miserable, you'll end up making the kid(s) miserable as well. Kids need more hands-on physical care, whereas adults can presumably take care of themselves in that regard, but need to have their emotional & sexual needs fulfilled. I'm guessing that part of the reason for the big split between men and women in the example given above is that women think in terms of their kids being helpless compared to their spouse, and needing Mom to save them, whereas the SO is an adult who might be able to make his/her own way out. I don't see it as a question of loving one more or less than the other, but of loving them in different ways, and distributing your available resources (time, money, hands-on attention, etc.) differently. In the burning house example, no matter what, you're going to lose someone and be totally devastated, so it's not a good scenario either way. (It just occurred to me that perhaps marriage or its equivalent and childrearing might qualify as the ultimate in socialism in a weird way--you know, "from each according to his ability, to each according to his needs." Yes, I'm weird to think of it that way, but what the hell... ;-) Full Giuliana.” @mikey were we married to the same selfish shit ? This is kind of a ridiculous question. Caring for your spouse and caring for your baby are not mutually exclusive. And the example Giuliana gave wasn't as if she ignores the baby to give her marriage attention. This is what she said: …." @VIPBlonde - that is the same advice my gf's mom gave us. She didn't nail it until hubs #4 though, but they are going on 25 years now. well, that's because she is a vain, vapid, insecure idiot. Husbands should be fairly self-sufficient and once the both of you make the decision to have a raise a child (please note here, Giuliana, I say child and not 'status symbol', 'accessory' or 'ratings booster') then you both should be committed to putting this dependent and helpless being first. That being said, I get what she's saying.. 100% reasonable Baby first! First of all, because they can't take care of themselves, obviously. Secondly, because you can explain to your husband why the baby gets more attention, and he can comprehend it. Baby's not old enough to understand "I am not the center of the universe" yet. But that can (and probably should) change as the baby grows up and becomes more independent. My husband and I love each other to pieces, and still manage to eat normally. This is a bogus excuse for her being so unhealthy. She was scary skinny long before the baby. MISCH, ha, but I'm afraid there's more than one out there. Huh, I think some of you may be taking her statement out of context. I am pretty confident she is not neglecting the child. I think some people forget when they have children that you need to have that "special" time with your significant other as well and I don't mean 5 minutes of sex. Always putting the child before your significant other is just asking for trouble in my humble opinion. You need to make time for all and sometimes its baby first and sometimes its hubby first. I'm with nothanksdarlin. Depends on context! I would say kids first, but nourishing a marriage is important too. If it was food/milk/presents etc- kids! Burning building- kids! she was talking in general form, not a newborn baby FFS. I kinda agree with, it's not about looking hot 24/7 or greeting him with a daily beej at the door. Yes, this line of questioning always annoys me. Why do u have to choose? Of course hubby and u first, u r the foundation, but its whoever needs the love and attention at the time. And if the adults needs have to be thwarted, so be it! Its called being a grownup. I always put my kids first. My husband always puts himself first. I always come last. Husbands come and go. Children are forever. Lola All other things being equal, spouse first, child second. Of course things are rarely equal. Kids are only with you for a short time. Unless you're raising dysfunctional leeches who can't get off the tit. Putting kids first sets them up for failure once they leave the nest. Some are quite surprised at work when they realize their little piss-ant whines don't effect anything. Just haven't seen much success with kids first. Entitlement, parasitic lifestyle is not pretty. I usually put myself first. This is why I don't have children. *L* I always put the cat first. If my husband were the sort of man who expected to be put before his own children, I wouldn't have married him. Selfish people make crappy parents. I have a son about the same age as G's. We both put him first, he's an infant, he can't speak, he can't tell us whats wrong, we're his everything. Our foundation is strong enough to do so. You can put your baby first and still not neglect each. G and her husband went off for some alone time without the baby, while I can understand that works for some people, we'd rather spend any free time we have off work together as a family, a baby grows up so fast, its so fleeting, you need to cherish your moments. I am child-free but I agree with her. Marriage, then kids-gotta keep the communication open and agree on how you are going to raise the child. Equation said: "Kids are only with you for a short time. Unless you're raising dysfunctional leeches who can't get off the tit. Putting kids first sets them up for failure once they leave the nest". jax" Jessi said: "I think some people forget when they have children that you need to have that "special" time with your significant other as well and I don't mean 5 minutes of sex. Always putting the child before your significant other is just asking for trouble in my humble opinion". Lotta said: ". adsum said: ". I say ALL OF THIS/\ /\ /\ /\ /\! My wife and i discussed this lots before we even got married. We saw so many relationships (my own parent's for example) put all energy and focus on the kids. Guess what? Eighteen years later when the kids leave the nest - there is no more marriage left. It will disappear in that time if the kids are the main focus. Doesn't make fr very happy adult children or family as a whole when your parents get divorced when you are in college "because there is nothing left". My wife and I are the cake. Our child and any future children we may be blessed to have are bonus icing on our cake. Our job is to love them, prepare them for the world, and hopefully raise positive human beings. then let then go out into the world. We will then still have our cake - and can run our cake around the world traveling and taking cruises, and having a good ol' time! We will send our well adjusted kids postcards from the road! ;-) what J said. It's a baby. Baby first. You and husband are adults and can care for yourselves/delay gratification. I agree with jax. I'm seeing a lot of the same thing with my friends and my husband and I have already speculated who may or may not make it. It's sad, really. ITA with Jolene and auntliddy. IT's not mutually exclusive. It's like a seesaw, sometimes the kiddo is up and needs the attention, sometimes it's the relationship. As long as everyone is along for the ride it can work for everybody. I see this as less about who is getting attention on a minute-by-minute basis (of course a baby has needs that must be met) and more about how you structure your family in general. My relationship with my husband is the foundation our family is built on, and our family is only as strong as that foundation. We love our daughter to bits, but she is *one part* of our family, not the end-all-be-all of it. Hubby and I are full-fledged people with our own needs and wants, and while we obviously take great care of our daughter and see to all her needs, she doesn't get to completely subsume everything about us. Yes, that means some things get sacrificed for her (sleeping in, going out frequently) but it doesn't mean she gets to run *everything* Happy, fulfilled parents with a great, loving relationship provide a rock solid foundation for a kid to grow on, and models what healthy, happy people in a good relationship looks like. And I agree with what other posters have said - giving attention to a child to the exclusion of all else, including your own needs and happiness - does no favors for the kid. Children also need to learn delayed gratification (NOT talking about basic needs here, talking about wants) and to learn they are *part* of a group and the greater society, and what they can do to be good members, not just what everyone around them can do to make it all about them. Otherwise, it is one hell of a rude awakening when they go out into the real world. It seems obvious (at least to me) but I frequently see couples who drop all interests and hobbies once they have kids and make every last single thing about the kid. THey don't go out as a couple, they don't carve out time for themselves, they don't even have adult conversations about things besides the kids, they let the kids run everything. It isn't turning out happily for anyone involved, kids or parents. it's crap- she comes first, above anyone, she is a total narcissist. There isn't one magic formula that works for every family. For me it has been, kids, then husband, but as the kids are getting a little older we are able to re-focus on our relationship. And once I started making more effort to get MY needs met, everyone has been happier. @Xander, completely agree! Next weekend me and my hubby are going to Atlantic City overnight, does that mean we are neglecting our two kids? No! They will stay with their aunt who loves them and we will get time together to be a couple. We need to keep our connection strong not only for our sake but for the kids too. I want them to grow up in a happy, loving home and have an example of what a happy marriage is. My husband & I couldn't have children, but from what I have observed people do need to put their relationship first. That doesn't mean children are neglected, just that children will grow up & leave & if the primary relationship isn't nurtured there are two miserable, disconnected people sharing a house instead of sharing a life. They then go out & take their misery out on the world. In my first marriage I put my child first. That was an excuse to not deal with my husband. Honestly, when our dog died, I knew it was OK for me to leave. My son is fine, he's doing great. I am now remarried and I put my new husband 'first'. That came out wrong. I am making my marriage a priority. Partly because I love him to bits, but partly because I want my son to see what a healthy marriage looks like. WE are the parents, the partners, the ones to are together forever. The children are the children. They have a sitter and we go out. They go to bed and we stay up and watch TV and have popcorn. THEY do NOT call the shots in our family. We make decisions as a team and present ourselves as such. We take care of each other, and our kid, too. He sees how we treat each other, and it's all good. He's learning how to be a good husband, even at his young age. It's a beautiful thing, really. @Jolene Jolene Thanks for putting up the whole quote it makes more sense now. But what I really think she meant was she puts herself first over the baby. It's great her husband helps out & takes care of feedings when she has the Oscars to go to, but she basically said she puts her needs, like getting sleep, over getting up with the baby every single night. I don't think she meant that she'd save her husband over her kid in a house fire. She meant that when the parents are happy and have a healthy relationship, the kid will reap the rewards and be happy and healthy. The best thing you can do for your kid is provide them a happy home. Good for her. Wasn't Bill Rancic an out gay man before he went on the apprentice? @Unknown, in a weird way, that would be awesome! "She says that she always puts her husband first and her baby second. " Wished more women were like her.I can understand people's loyalty to their animals.A dog will run into a burning building to save its' master.A woman will let her husband die Friday,bury him Sunday and start dating Monday becoz after all she needs to move on with her life...with that insurance check. Giuliana is just creating a sound byte. Let's face it, all of us who are parents and married/in a relationship know that you should do whatever works best that day. You can't go through your life following some "strategy." Sometimes your kids MUST come first. Sometimes your spouse MUST come first. And SOMETIMES you MUST put YOURSELF first. We all do the best we can and hope for the best. My daughter first. She's 18. My new husband knew that her well-being and sports activities that involve weekend travel (college and national level) would be my priority and accepted that before our wedding. Husband 1st. Kids2nd. If the bond you have with your spouse is not strong enough the pressure of kids will end your marriage. I know more people who had dated for years and were married for years before having a baby and by the time the kid turned 2 they were divorced. That first 2 years with your 1st born is hard. Spouse first, children next. The children grow up and leave the nest. If you've not developed a life without them you've got nothing left when they're gone. Big plus is children see a couple devoted to each other and (hopefully) look for the same type of relationship one day. My husband and I *both* put the little guy first. But we still find little ways to let each other know how much we like each other and even miss each other. We were together for 7 years before we got married and married for 5 years before we decided to have a baby. I think we both realize that 18 years will go by in a flash and we'd better enjoy the time with our boy as much as we can. We'll still have the rest of our lives with each other. What Jessi, Xander, Jax, and a lot of you said! Marriage first. Your kids grow up and leave to start their own families. Your spouse is with you forever (hopefully). Stupid misogyny. Husbands are ADULTS. You should put your kids first. Jeebus. I put my husband first because without him there would be no babies. My sons are not neglected in any way. We are teaching them how to have a good relationship with a partner. I agree with Jax and others about what happens to marriages when kids come first---end of marriage. I think a lot of people use their kids to ignore the problems in their marriages. Married for 15 years and the kids came first when they were little. Husband is a grown up for god's sake. We discussed all of this well before we even got married. Now that they're older we have more time to do adult things w/o kids. Your children only want to be with you for such a short time. If you're with the right guy you'll agree on this and put kids first while they're young. If your husband is jealous of the time you spend with HIS children, he's an asshole. Why can't my SO save his own ass in the burning house? I hate the idea that a woman has to choose one over the other when one is perfectly capable of getting his fat ass up out of a chair leaving the beer and game on the TV behind to save himself. And I would feel that way if my child was over a certain age and capable of doing the same thing. Babies take a lot of time and attention from everyone in the family especially in the first few months when everything is new and confusing. I would always choose sleep over a date night. This all may explain why I am a single parent. Should men apply that logic to women as well? Any woman can pop a baby out for a man.Hell,some women give you kids you don't even want!!! I think society consider men expendable (women and children first,captain goes down with the ship). Children first. The dynamic of a relationship changes when a tiny HUMAN BEING enters the picture. Things cannot be exactly the same, IMO. Time and energy MUST be split between all parties. The lions share of it goes to the little one who cannot fend for themselves. A healthy relationship will withstand the shift in emotion and energy. Mature adults will do what it takes to nurture the relationship AND the child simultaneously. Guilianas child is 5 months old. A bit selfish, IMO, to b speaking about the relationship in contrast to the needs of such a young baby. :^( Just my opinion though. But I am speaking as a woman of limited resources. She is not. Her reality is much different than mine. God, Family, Career..husband/wife always should come first. This question thoroughly annoys me. That is all. It is a loaded question. Too broad. Too black or white. Something like this has to b broken up into mini scenarios in order for a REAL discussion to occur. I have seen marriages die after the children became more self sufficient because the parents forgot to take time on their relationship while the kids were growing up. It varies from couple to couple obviously but remember what created those kids in the first place. Your love for one another. Life is a balance but couples (parents) need couple time away from children and there is nothing badly selfish about that. We are childless by choice, the Opster and me. What an incredibly weird thing for Giuliana Ranic, of all people, to say. She never shut up for, like, two years about how all she wanted in life was a baby. If you read any of her interviews from before her son was born it is a constant stream of "I want a baby, I want a baby, I want a baby, I WANT A BABY!!!" And now thats he actually has a baby, she says she puts her husband first. Huh? Maybe she is feeling let-down by motherhood. A baby comes first, always, but that doesn't mean you can't go away for a weekend once in a while. She could've worded that better IMO, especially after all the shit she went through to get that kid. Maybe she's over compensating for some sort of neglect..hmm. OT, she has a flat head, seriously I noticed it today on Fashion Police(don't judge, I like watching people meaner than me) and her forehead is like, an inch high. Weird. why can't both be first? and yourself second? a baby has needs that they can't take care of themselves, and a relationship needs to be healthy for life to be happy, but why do you need to choose? Poorly worded my turn. Her actual statement, noted within the comments, was quite reasonable.
tag:blogger.com,1999:blog-37309174.post7236549413005053444..comments2013-02-03T14:13:47.484-08:00Comments on Crazy Days and Nights: Random Photos Part Twoent lawyer's have more than just the classic flats. I...Tom's have more than just the classic flats. I think their wedges are cute. The classics are super comfy. <br /><br />That is one of the best pics I've seen of Isabella. Love the cut, lavender hair or not. <br /><br />Lelaina Pierce saw an interview with Nicole a few days ago and ...I saw an interview with Nicole a few days ago and she was talking about her children--her little Urbans and her Cruise kids--and she didn't say much about Connor but she mentioned that Bella is living in London. car54't like Isabella's color, but the cut i...Don't like Isabella's color, but the cut is darling. Cute girl. Wish she'd tell the COS to eff off.Sunnyhorse language has been proven to be insignificant ...Body language has been proven to be insignificant statistically. <br /><br /. <br /><br /.mybrothehero a long bob x)@sarah a long bob x)nessa's a lob?What's a lob?Sarah looks bella!!! Where's Shelly? Where&...Bella looks bella!!! Where's Shelly? Where's Anna?Agent**It really hope that's just a fold in kelsey'...i really hope that's just a fold in kelsey's pants. eww<br /><br />jenlaw is smoooookin hot!nessa +1!! i love pastel hair color but they'r...@andy +1!! i love pastel hair color but they're so much work to keep fresh. i think i'm gonna take the plunge this summer and cut mine to a lob or bobnessa. Figgy. Not foggy. I hate typing on my phoneOops. Figgy. Not foggy. I hate typing on my phoneSunny See lotta colada's reply to foggy for the ...@NL<br />See lotta colada's reply to foggy for the link to the blind at 12:42 pm :)Sunny MY GOD.. The photo posts are littered with comm...OH MY GOD.. The photo posts are littered with comments abt being reveals for blinds. Which ones? Can anyone lend a hand and perhaps mention WHICH blind you're referring to? Even just a couple of words? NL cannot stand Isabella's hair color. Kelly Os...I cannot stand Isabella's hair color. Kelly Osborne has it too, it is so ugly! PuggleWug so damn late to this party...(and mucho marga...Okay so damn late to this party...(and mucho margaritas in me)<br /><br />ERMAGERD! CZJ reveal! <br /><br />hee hee hee heee!JoElla hope that Thumb blind isnt about CZJ. I like her...I hope that Thumb blind isnt about CZJ. I like her dragon Jude Law is the lead. @Lotta Jude Law is the lead.<br /><br />dragon comment has been removed by the author.dragon looks horrible with that haircut. Go back to...Kayte looks horrible with that haircut. Go back to being a ginger!Amy in MI looks good. The body language on that bo...Isabella looks good.<br /><br />The body language on that bottom pic is very telling. Further away from each other than he would like, not far enough as far as she's concerned. sylmarillion Lawrence has the most amazing body. Jennifer Lawrence has the most amazing body. Mooshki Cruise looks alot like Anne Hathaway with...Isabella Cruise looks alot like Anne Hathaway with that cut. I thought Anne had went badly blonde for a second...<br /><br />Isabella looks great. I don't think I have ever seen her look that good.lolaluvs2snack find that blind hard to believe as CZJ. I had th... javamomma CZJ started on television...But CZJ started on television...Susan hate Charlize's shoes, I don't get how a...I hate Charlize's shoes, I don't get how anyone can think those Tom's shoes are great? I think they are uglymaggs said bella was a late bloomer! Mostly, i like t...I said bella was a late bloomer! Mostly, i like that she feels happy enough to try something new. And yes sweetie, call your mom. Find your way bella !auntliddy
Your privacy is very important to Creative Real Estate. This document outlines the types of personal information Creative Real Estate receives and collects when you use the website, as well as some of the steps taken to safeguard information. Hopefully this will help you make an informed decision about sharing personal information with the website. Creative Real Estate strives to maintain the highest standards of decency, fairness and integrity in all operations. This includes protecting customers’, consumers’ and online visitors’ privacy. Personal Information Creative Real Estate collects personally identifiable information from the visitors to our website only on a voluntary basis. Personal information collected on a voluntary basis may include name, postal address, e-mail address, company name and telephone number. This information is collected if you request information, participate in a contest or sweepstakes, and sign up to join the e-mail list or request some other service or information. The information collected is internally reviewed, used to improve the content of the website, notify visitors of updates, and respond to visitor inquiries. Once information is reviewed, it is discarded or stored in files. If material changes in the collection of personally identifiable information is made you will be informed a notice on the site. Personal information received from any visitor will be used only for internal purposes and will NOT be sold or provided to third parties. Use of Cookies and Web Beacons Creative Real Estate. Creative Real Estate. Non-Personal Information In some cases, the website Creative Real Estate is sold, the information obtained from you through your voluntary participation in the site may transfer to the new owner as a part of the sale in order that the service being provided to you may continue. In that event, you will receive notice through the website of that change in control and practices, and reasonable efforts will be made to ensure that the purchaser honors any opt-out requests you might make. How You Can Correct or Remove Information This privacy policy is provided as a statement to you of Creative Real Estate’s commitment to protect your personal information. If you have submitted personal information through the website and would like that information deleted from the records or would like to update or correct that information, please use the Contact Creative Real Estate page. Updates and Effective Date Creative Real Estate reserves the right to make changes in this policy. If there is a material change in the privacy practices, it will be indicated on the site. You are encouraged to periodically review this policy so that you will know what information may be collected and how it may be used. Agreeing to Terms If you do not agree to Creative Real Estate’s Privacy Policy as posted here on this website, please do not use this site or any services offered by this site. Your use of this site indicates acceptance of this privacy policy.
CR Blog BT Vision rebranded by ManvsMachine and Proud Creative Posted by Gavin Lucas, 3 October 2011, 16:18 Permalink Comments (13) Really like the new type used in the logo and the literature. The colourful powders look great too, I'm a sucker for hi-resolution television splashes. 2011-10-04 08:00:57 Nice, clean, brightly coloured fun 2011-10-04 08:48:11 Black on purple in the master logo? Really? The lack of contrast is appalling, you can barely make out the 'o' the the example in the top left corner. And again in the vision planner above. Pretty basic mistake I'd say. 2011-10-04 09:02:22 "We developed the ‘portal’ as a multi-functional logo icon derived from the theory and principles of light refraction," This actually makes perfect sense but still reads like preposterously obnoxious bullshit. Excellent motion work though, and really fantastic photography. I assumed the coloured liquid was brilliantly rendered fluid dynamics until I saw Jason Tozer's work for Canon! 2011-10-04 09:29:10 Yeah, I quite like it. Has an Aol, Universal Everything feel to it (the animations). I don't mind that. It's just unfortunate that no matter how great this work is, it doesn't make up for the lack of quality in the product ie. it's terrible. The powder is my favourite because it has a 'real' feel to it, where the others just seem too CG. 2011-10-04 09:49:33 I'm a big fan of Man vs Machine and Proud Creative and this work sets their usual high standards. The 3D studio look is obviously very popular at the moment but you can understand why; so clean and fresh. I think the atom building ident is my favourite because it's the most original. The ink and powder are beautifully done but I wonder if they could have come up with some more unusual treatments like the atoms. I did the post for DunningPenneyJones when they designed the idents for BT Vision a few years ago; it was all animating lines of flat colour as we weren't allowed to use any gradients due to the compression they used to broadcast. Clearly this wasn't an issue this time around......? 2011-10-04 10:35:46 This does all look very slick here, but the CR blog (as lovely as it is) isn't where designs should shine at their best... we have BT Vision at home and the new branding looks terrible serving it's function on-screen! With the washed out grey and overly strong purple the menus look awful, it looks as if the entire system is about to fade-into nothingness, as if piped directly from a weak TV set in 1985 (when in fact it's on a one year old Sony Bravia). When it first switched over we thought our 1 year old son had been playing with the contrast buttons. I really like the ad, and it's great to pull new customers into your service with a rebrand, but if they sign up and start having to use menus that look as weak as they do, these customers may not stick around! 2011-10-04 12:03:02 V nice indeed. 2011-10-04 13:17:22 Is it a new Sony Bravia advert 2011-10-04 13:48:10 Totally agree with Ben, considering the user interface is the core touchpoint you would think they would give that the most consideration. I also have the system and at first I thought it was in 'safe mode', or something had gone wrong! BT have a long way to go if they want transcend their clunky, public utilities brand perception - consumers are way beyond surface value. 2011-10-04 14:39:47 I can't read the new menus at all and thought it was a fault. I can barely read the text. It looks cheap and it is so unpleasurable to look at it makes me not want to use it at all. 2011-10-05 03:34:06 I'd wholeheartedly agree that this is slck, well executed and exudes a high degree of competence. (Although, like Barry I am also a little puzzled at the black on purple rendition shown.) In terms of positioning I admit to being puzzled, it is not a break away from anything else in the space, which generally speaking is what we are looking for a re-brand to do? If the intention was to make BT feel like a TV company - because the research told them consumers simply could not accept BT as such, this positioning makes perfect sense to me. Otherwise, I'm not entirely sure what the strategy is aiming for, and I guess we can't expect BT to share that with us here. As always this is the difficulty in seeing and judging the work on visual terms and out of it's context. 2011-10-05 09:46:41 Yeah it looks very nice. Just reminds me a lot of the AOL stuff from a while back. But nice work all the same! 2011-10-05 14:02:33 Subject:
Shenandoah edges Panthers, 3-2 SHENANDOAH — In a closely-contested five-set match, Shenandoah outlasted Creston and moved ahead of the Panthers in the Hawkeye 10 race Thursday night. The Fillies improved to 13-14 overall and 3-4 in the conference with a 12-25, 25-23, 27-25, 23-25, 15-13 victory. Creston slipped to eighth place in the league at 2-5, and 10-9 overall. Shenandoah is lodged in a fifth-place tie at 3-4 with Clarinda and Glenwood after Thursday’s action. Clarinda, 14-9 overall with a recent five-set loss to co-leader Kuemper Catholic, is the next Panther opponent Tuesday at Creston. Creston sailed easily in the first set Thursday, but the sophomore hitting duo of 5-11 Sydney Nielsen and 6-0 Serena Parker kept the pressure on, with Nielsen scoring nearly all of the final points in set five. “They came to life,” Creston coach Polly Luther said. “They have two tremendous hitters they feed all the time. In the last game, we were up by three, we just couldn’t get it done. (Nielsen) was tremendous for them.” Nielsen came into the match with 168 kills in 26 matches. On the other side, senior Brianna Maitlen was a force at the net for Creston, finishing 39-of-47 on attacks with 19 kills. Also reaching double figures in kills were Natalie Mostek (13) and Sydney Dunphy (10). Amy Dunphy, manning the middle hitter position, was also effective at 18-22 with six kills and one assisted block. Jenna Taylor smacked seven kills. Setter Hanna Luther was busy with 50 assists for the night. Mostek and Maitlen combined for 15 digs. Several Panthers had good serving nights. Mostek was 20-22 with four aces, Amy Dunphy 16-18 with three aces, Haylee LaMasters perfect at 20-20 and Sam McDonald 14-15 with an ace. Maitlen finished 15-16. “Overall, we played pretty well,” Luther said. “We earned every point we got. Maitlen had a tremendous hitting night for us. Our blockers slowed a lot of balls down for us to put back up.” LaMasters and McDonald handled tough balls in the back row and provided playable passes, Luther noted. “I was very proud of the way the girls came out and played tonight,” she said. “We just have to be confident enough in ourselves to know that we can finish.” Creston statistics Serving (aces) — Natalie Mostek 20-22 (4), Amy Dunphy 16-18 (3), Haylee LaMasters 20-20, Brianna Maitlen 15-16, Sam McDonald 14-15 (1), Hanna Luther 11-13 (1). Attacks (kills) — Maitlen 39-47 (19), Mostek 33-47 (13), Sydney Dunphy 26-30 (10), Amy Dunphy 18-22 (6), Jenna Taylor 20-22 (7), Sydney Rogers 2-2 (1), Luther 4-5 (2). Blocks (solo-assists) — Maitlen 0-1, A. Dunphy 0-1, Taylor 0-1. Setting (assists) — Luther 50, Maitlen 2, McDonald 1. Digs — Mostek 8, Maitlen 7, LaMasters 5, McDonald 5, Rogers 2, Luther 2. Junior varsity Creston’s JV swept four sets over the Shenandoah JV, 24-18, 25-18, 25-19, 16-14. A balanced net attack featured Marie Hood with nine kills and Nicole Haley and Taylor Hudson with eight each for Creston, now 7-5. “Our court awareness in the front row has improved a lot and that really showed tonight,” said Creston coach Mallory Peterson. “I was glad to see improvement on things we have been focusing on in practice.” Brenna Baker distributed most of those kills, finishing with 31 setting assists while also serving 11-13 with an ace and collecting a team-high six digs. Olivia Nielsen had two solo blocks. Jana Johnson and Ashley Harris each had two total kills, with Harris also smacking three kills. Audrey Fyock and Mackenzie Andreasen had five and three digs, respectively. Freshmen Creston freshmen swept Shenandoah, 25-18, 25-14, 25-12. “We got off to a quick start in game one and played real well in the first two-thirds of that game,” coach Mike McCabe said. “We got strong front row play from Sydney Dunphy, Jenna Taylor and Alyssa Higgins. We go to a very strong Red Oak tournament on Saturday in a pool with Harlan, Kuemper and Glenwood.” Creston, now 15-4-1, served well as a team with 30 aces in three sets. Jami Sickels was 17-17 with eight aces, Josie Sickels was 15-16 with seven aces, Gracie Russell was 15-17 with seven aces and Alli Thomsen served 9-11 with two aces.
Frequently Asked Questions: How can I enter to win your weekly giveaways? Please subscribe or follow the blog. Then, leave a comment under any of the posts for the week. You can leave a comment daily for even more chances. How do I subscribe? How do I leave a comment on your blog? Scroll to the bottom of the comments to find wording that says "Post A Comment". Click on that and the comment form should come up. Or, at the bottom of the post, before the comments, you can click on the number of comments (69 comments) as shown in the picture below. That will also bring up the comment form. How can I contact you? Send an email to [email protected]. What is Ustream? Ustream is an online TV broadcasting system. You can view us on Ustream on our channel HERE. To participate in the chat, you must sign up on Ustream. To find out how to do that, click HERE for Ustream's instructions. How much does it cost to advertise on your blog? Advertising space is available and we are happy to discuss the rates with businesses that are wanting to be a part of Everyday Cricut. Because each company's needs/wants are different, the price is determined by the amount of space and extent of the advertising. For information on advertising and to inquire about rates, please email us at [email protected] and add the word Advertising in the subject line as well as your company name and we will be in touch with you shortly. I want to sponsor a giveaway on your blog. How do I contact you? If you or your company is interested in sponsoring a give away on Everyday Cricut, please send an email [email protected] and add Sponsorship in the subject line. Please provide contact information so we can get back with you once the request is reviewed. Why do you get the Cricut cartridges before they are released? We have been working closely with Provo Craft for sometime and have an agreement that we will support the Hello Thursday release efforts by showcasing cuts and projects from the new Cartridges. Our readers find it very helpful to see completed projects before making decisions on cartridge purchases. Do you work for Provo Craft? We are not employed by Provo Craft. How do I get free stuff to giveaway on my blog? The old saying that nothing is free is very true. Our sponsors provide materials for us to showcase but it is a ton of work and a very large time commitment to continually provide new projects that highlight the specific collections. Also, not everything given away is given to us by a sponsor - we provide some giveaways ourselves. I would love to get on the list of free products from various companies. How do I get on that list? Well, in all honesty, there is no such list. Many companies will do test groups or focus groups. These companies pay attention to online communities and message boards as well. We do not know how these individuals are chosen. How can I go to the CHA (Craft and Hobby Association) Convention? There are two parts to CHA - the trade show for industry professionals and the Consumer Super Show that is open to the public. You can check out all the details by clicking HERE. How do you pick which paper companies you want to show on the blog? It's a very technical approach. We work with the best of the best! We want to show you products from the leaders in the paper crafting industry, as well as highlight some of the smaller companies that you may not have seen before. Quality, freshness, as well as the themes companies offer are also very important. Can you put my blinkie on your blog? Because Everyday Cricut is a sponsored blog, we reserve as much space as possible for our sponsors. We add blinkies of guest designers and contributors on occasion but for for the most part all the blinkies are for our sponsors or our personal blogs were you can get any more inspiration, tips, techniques, and most importantly exposure to some amazing product and companies! Can I put your blinkie on my blog? Yes you can! It's simple and we greatly appreciate the support. How do I put your blinkie on my blog? To add our blinkie to your blog--simply copy the html code provided on the right sidebar (under our blinkie) and paste it into your blog (blogger folks do this by adding a gadget). It's pretty simple and we greatly appreciate the support. It puts a smile on our face every time we see our blinkie living on one of your blogs! How are your winners chosen? To ensure that out giveaways are fair and everyone has the same opportunity to win, we use random number generator (random.org) to assist us in choosing the winners. How are your guest designers chosen? We are very fortunate to be part of such a talented group of paper crafters. In choosing our guest designers, our goal is to have individuals who offer unique perspectives and approaches to paper crafting. We also really love it when they happen to big Cricut fans. Where do I find the winner's list? The winners for each week are posted on Sunday for the previous week. Also, on the left hand side is a banner that says "Winners". Click on that to see the list of winners. Where did you get your ATG adhesive guns from? We have purchased our ATG guns and tape from various on line retailers. One of the most popular resources is framingsupplies.com. Is Tammy not a part of the blog anymore? Tammy is no longer working with us here at Everyday Cricut. She was presented with an wonderful opportunity to develop a project for the Gypsy so left to pursue that opportunity. We wish her the best of luck! She continues to share on her personal blog. Subscribe to Everyday Cricut to learn more about ways to use the Cricut in your cardmaking and scrapbooking! 570 comments:«Oldest ‹Older 1 – 200 of 570 Newer› Newest» OMG!!! LOVE the REtro Veggie Paper! I am in a soup swap and that would be so darling. I love all the cut out veggies too!! YUMMMMMMMY!!! Thanks so much! I love to see your creations! The paper is wonderful. I'd love your mom's soup recipe! Thanks again! ~Libby C I love your site. You are so creative. i have a question. I saw this site at JTPC.info about Make the cut! What do you know about that? It said that you dont need to buy cartridges. That would save some money. Just looking for some advice. Thanks, Sarah I would have sooooo much fun with this! I'm crossing my fingers! Thanks, [email protected] I would so love that Cricut Cake machine! I can think of so many ways to use it. Thank you for the daily cricut ideas. I save them and plan to use many of them. You are so creative! Thanks for sharing with us. eljay I'm really hoping I win the Cricut Cake Machine! I can't really afford to buy it at this time, and it would help me so much! I love to make fabulous cakes for my daughter and her friends, as well as extra-special treats for her class at school! I'd also like to begin my own cake making business since I'm a single mom, and it would be a great way to earn money while at home with my daughter - and she could even help! Can't wait to try out this fabulous machine!!! I would love to have the Cricut cake machine. I saw it at the CHA show in Anaheim, CA. It was fun to decorate the cupcakes from the fondant cut outs. Thanks for showing what the cake carts can do with paper! [email protected] I saw your statement...great giveaway guys....well, I'm a guy, a grampa, and a crafer. I would love to wim you cricut cake machine and cartridge. Grampa's craft too, and what a great way to surprise the grandchildren,...and other family members too. Got my fingers crossed...here's hoping. I love your blog. I keep everyone of them in a file on my computer as you always have such cute ideas and the video's you put on there are a wonderful help. You help put the fun in my crafting. This is exciting! I just found your website and it is very inspiring. The Cricut Cake machine can turn the boring cake into a masterpiece. Thanks for making it FUN! OH MY my husband is going to just die! You guys have taken my two most favorite things in the whole world and combined them!!! I really would love to win the cake machine Im a Stay At Home Mom and a Army wife tring to not go crazy at home while hes away! Gosh Om so excited!! Have a blessed weekend all! Michelle [email protected] WOW!! What an awesome give away and what fun one can have with the winnings. Thank you for the opportunity! I just got my first cricut, and I am loving it. I really like all the great ideas. I currently own a regular personal Cricut and an Expression. I love them both. It would be awesome to win the new Cricut Cake Machine ! I love the cartridges that have been designed to go with it too. They would be great for cakes and for paper on cards and in scrapbooks too. Every time I think I'm getting close to having all of the Cricut stuff I want or "need" more new things are introduced and I "have to have" them too. I love my Cricuts ! It would be awesome to win the Cricut Cake Machine ! I have a "baby bug" and an Expression and love them both. The Cake Machine is a great idea, and the cartridges designed for use with it are pretty impressive. They'd work great with paper for cards and scrapbook pages too. Are you kidding? As a foodie, I can have my "cake" without the calories! I just came across your site what geat projects! I love the car card and so many of the Chirstmas projects. I teach preschool and would love to be able to decorate cakes and cupcakes for all our parties. I would love to win a cricut cake machine. It looks like it would be so fun to use. This would be another opprotunity to do crafting and make cakes at the same time with my grand daughter. AndreaGen Can't wait till Wed. I'll be up at midnight to order my machine. I have to work the next day but won't be able to sleep. Doing an hourly count down now. Every one at work just laugh's at me. thanks for all your time and creations. Laura What an opportunity to be able to win the Cricut Cake Machine. It looks great and my granddaughters would love my attempts! I don't need a cricut cake. I want one and thats more important. Its stress free that way. Joy your stuff is so entertaining. Thank you for making me smile everyday! I would love the Cricut Cake to make cakes for my grand-children and other people I love! Thanks for the opportunity to win! I love to see your projects and would really love to have the cricut cake to make cakes for my friends and family. [email protected] Please count me in! I would love to win the Cricut Cake machine. I would love to win anything but winning the cricut cake would be amazing. Would have to take up cake decorating. My mother was a cake decorator. Wish they would have had this then. Just joined Everyday Cricut - am excited and would LOVE to win the Cricut Cake machine. Looking forward to many new ideas:) I hadn't heard about the Cricut Cake machine until I visited your website. I must have been under a rock. I'd love to take up a new hobby... cake decorating. My name is Debbie and I am addicted to Cricut! I have Cricut, Expression, Design Center, Gypsy and anything with the little Cricut on the box! I would love love to own the Cake Cricut becasue I can do anything with a Cricut and I could have so much fun with by Grandkids making cakes, cupcakes and fun stuff. I have learned so much from your website and love all the great tips I get on your videos. Keep it up...we love you! Thanks for sharing your creativity and for the wonderful giveaways! OMG! I have to have the Cricut Cake, PLEASE!!!! I am a cake decorator and originally had intentions for my expression for using it to cut cake designs. Instead I got hooked on scrapbbooking and card making. Now I can't use it for cake decorating because it's not food safe. I can't justify buying another Cricut since mine is only a few months old. I really want the Cricut Cake. It will make a big difference in my life. :-) Why should I win well I am just getting into the cake decorating business and this machine will give me the edge needed to help my business get off the ground. I love what can be done with this machine. Ann [email protected] I'm a grandmother, who works with my granddaughter, (while Mom works)trying to teach her useful things to make life exciting. Crafting, sewing, baking, and all kinds of Girl Scout work (she is a Juliette, a scout working independly)..She has done school project on my cricut, and a cricut cake would be a great chance to learn more and make donations with her scout work. Love this site. Would like to win because I am an avid cardmaker and scrapbooker. Thanks for the chance to win !!! Love your site too !! I am semi-retired and love to craft for church,home, and different centers. Winning a cake cricut who be unbelieveable! I love cakes, circut and scrappin. What could be better. MIMI I would love to win this even tho i already have the expression (i LOVE it). The new cake carts are so cool. I probably have to decide on just one instead of all of them! Thanks for the opportunity! SM THANK YOU sooo much for this website!! I am new to it and think it is the greatest website for Cricut ideas! i would love to have a cartage as i just ordered the cricut cake and i have been making cakes for years Since I'm the designated office baker the Cricut Cake would give me so many more options as far as decorating. With a full time job and family this would be an AWESOME way for me to save on time, while still being able to produce wonderfully decorated cakes. love the possibilities with the cake machine love the opportunity to win. Maybe some day it will be my time. Who knows could be this time. You are a great site. I just borrowed my friends Old West cartridge and loved it more then I thought I would. The letters are so much fun. I hope I win my own. Also thank you for the the sample pages you send they are inspiring I Love the site and all the helpful tips. I love anything Cricut. I am crossing my fingers. I just viewed your guest contribution on Hallmark Ladybugs and I love the card you made. I will be making that for sure. Of course I then went to your website and I love it. So many wonderful card samples. Thank you so much, Renee P Thank you for sharing your great ideas in your blog. You give me inspiration to complete my own projects. I would love any of these cartridges. I love using my cricut to make my pages more complete LOVING IT ALL... I just learned about Everyday Cricut from Scrapguys blog. What a find. Thanks Scrapguy.... I just love the AK cart, it is perfect for so many occasions. Thanks for all the great ideas Judy Staie Your giveaways are awesome! Looking forward to this week! I am excited to follow each day. New to your site and LOVE IT! Great Job. marimarr Been following your site for several weeks and love it. Thanks for getting me back to using my Cricut as it has been in the closet collecting dust! Had forgot how much fun it is! Would love to receive your give away! Love, Love, Love this site. Have had my Cricut for a little over a year and have always been so intimidated by it, but this site has really helped with a lot of my questions...love the stuff you create! Would love to win anything from Everyday Cricut becuase you always have the best! I loved the Jillibean Soup card using the lemon paper. Have tried to find it, but can't can you tell me where I can get it? Also, any tutorials on card and envelope making. I can do the cards OK, but when it comes to making the envelope, the cards never fit....I must be missing something! Thanks for always being so on top of your game....fantastic site! Thank you for all your great ideas! I look forward to my daily emails from you. I especially liked Scraapguys video yesterday. I enjoy getting your daily emails and looking at all the wonderful ideas. May 1 is my birthday and I love to scrapbook, so I hope I'm a winner :-) Thanks for all the great ideas! This is a fun site I am glad I found it. I always enjoy your daily emails. Thanks for sharing your designs and ideas. Hugs Carolyn I look forward to seeing your project everyday and it is never a let down! Thanks for sharing your talents with us! You have such wonderful ideas! So many great ideas, so little time! Work is really getting in the way of my creative pursuits!! I love you blog & enjoy reading it each day. It is full of useful information. The free give -a-ways aren't bad either. Good luck to everyone This is such a great site especially for the Cricut. Here's to winning!!! I love your ideas!! Hope I win! I love following your blog. Love your ideas! I wish I could win something!!! I love getting the e-mails & card ideas every day!! Jean Heming I just love everything about this site.I can't wait to check my email to see what I have from Cricut. Always new designs with such lovely use of wonderful paper and new cartridges. Luv it luv it. Thank you so much for your Everyday Cricut, I look so forward to the new and beautiful cards. Very excited that Anna Griffith is the sponsor for this week, she is my favorite. Julie These are fantastic thanks for sharing [email protected] Just a note to say thanks for the nice things you all do to making scrapping fun. Not every day you find give aways. Even though I have not won (would like to)you all are awesome. Love, love, love the Cricut! Have you guys ever thougt about making a MAGAZINE for the Cricut? I think it would be great to have so many designs in one place!!! Thanks for all you do!!! Love, love, love the Cricut! Have you guys ever thougt about making a MAGAZINE for the Cricut? I think it would be great to have so many designs in one place!!! Thanks for all you do!!! I can't say enough about this great card. I love pink and green! I love Heidi's papers! I love the cartridge you used with the card. I don't have one but maybe someday I will. Thanks again for the great card design! love the card, and miss my mom she would have loved it too! pink was her favorite color. Keep up the great cards. Love your creations--love your blog-- love to scrap--love, love, love life! The Mother's Day card made with Cricut Cake was really pretty. I loved the flower and the color combination you used. I love seeing your ideas! Love your prizes! How fun! Hope I win. I have lots of plans and ideas...Eljay Hi - I received a Cricut as a gift last month. And I love getting the tips & project ideas from you guys. It's really been a big help in learning the ropes. Keep it up! [email protected] Pretty, pretty card. I love all your creations! Thank you for all these great ideas! I bought my Cricut Expression last year and I have been building up my collection of carts! I love it all!!! Thanks. Look forward to viewing your creations evry day. Such a great card!I love all of your creations. Receiving your emails and seeing the cards and layouts are such a pick-me-up to my day! Thanks, Charlotte What a great source for wonderful ideas! Thanks so much!! Thanks for the "manly" card. They can really be a mental block sometimes. Love your card. Everyday I look forward to your email with the card of the day. Always an inspiration! Oh my goodness! So many great new ideas for cards! I love your website and definitely will be "borrowing" many of your card ideas! :) What a beautiful layout! I love how you used the 'leftovers' to finish off the layout. Very original and pretty, it really gives me inspiration!! I love the filigree on this card. What a neat cartridge! You all have such talent. I LOVE the paper/colors you used in the layout and the embellishments are awesome! Wow, I love thursday's scrapbook pages. I really like the colors and I like how you are using leftover pieces to avoid waste. Great ideas. Friday's card was very unique! I look forward each day to my Everyday Cricut email to see what is new. Thanks! Love to see new creations to follow What a brautiful Mother's Day card! I am amazed at the beautiful images on the Cake Carts. I was thinking it would be strictly to use for cakes only. I am so hooked on the Cricut and I love the daily ideas. I absolutely love your site and can't wait to see it everyday...I get lots of fantastic ideas from you,,,,keep up the good work. p.s. I would love to win my choice of a cricut cartridge. Thanks again. I love my Cricut and your website. You have so many great ideas. Thanks for doing such a great job. Susie Creative, talented, inspirationial,fun. Thank you Creative, talented, inspirationial and fun. Thank you What cute graduation things! I'll have to share with my niece. Thanks! I love your cards; they are so beautiful! ♥ Wow - a chance to win an Expression. I love the layouts that you show! I think the thing I love most about your site is all the videos -they are so informative. I learn something new constantly. [email protected] Old crafter says I would love to win a Cricut machine of any kind. I watch them on TV and in all the blogs I find. They are just so nice for us older people with arthritis. Keep up the good work. Love the card and the colors used! Carm I love everything about this site. The layouts, the cards, the tips, the way you use different cartridges, & all of the creative ideas. Thanks so much! carlascraftycreations--Okla. Good Morning, I am a teacher and have a self-contain classroom. Our students love making simple cards. We would like to make kits and sell during lunch time to fund our cooking and crafts. I truly hope I win as it takes alot of time to kit cards up for 8 students on a 6 by 12. Also with us selling card kits at lunch, it will take a dedication of time to finish. Please share any ideas for simple card that would be fun and that would bring great joy to our students to say, "I made this" Thanks for such a cool site too V. Bland Nevada OMG! Just discovered you site today. LOVE IT! I will def. be here to get creative ideas. Yay! My daughter recommended this site and so far, it's great. I love the tutorials with the option to watch the video too. Thanks My daughter recommended this site and so far, it's great. I love the tutorials with the option to watch the video too. Thanks Holy Kazam! I just found your blog and what an amazing giveaway! I love your videos on YouTube, I've been checking them out quite a bit lately! So now I'm a blog follower too! Yippee!! I can't believe I just now gfound this site! I am so excited, I will have to pass it on to my husband who spoils me and buys my cricut stuff before I ask for it. Im going to check out the whole site now. If I win the expression I will bring it to work, so the ladies who hands don't work anymore and continue to create. I work at a nursing home. Thanks for this opportunity! Love your beautiful creations, keep up the good work! [email protected] Would love to win one of the prizes. Have never won anything and this would be fantastic. Love your blog. Look forward to reading them always. All Dolled Up, with everywhere to go!! Cutest ever. Love the video how to. Thanks for sharing. Dawn Great blog..Great creations.. I love the "all dolled up" card. I is a really cute card for any little girl. Thanks for the idea. Can't wait to start getting emails from this blog! So many wonderful new ideas and creations! Hi Monday how is everyone? just trying to win again I'm really into your web-site I have learned so much and added so many skills to my stamping. It's great to learn the many different ways of using my cricut. I'm still using my old Personal Electronic circut and would love to win and upgrade to being able to cut 12X12 paper instead of 6X12. Keep up the great work! Mary [email protected] Thanks so much. Lovely to see your creations. Your voice sounds like you really enjoy what you do. I will cross my fingers for winnings. Thanks Marcie Hello, I'm am brand spanking new at this blogging and scrapping and such. I have had a cricket for a year and never used it. I used it a couple of weeks ago and I'm sooooo hooked on it. I like both your video and project section and the detail in which you have published them. Very informative. I'm just so excited to find sites like yours. Thanks so much. Fran Thanks for all the great ideas! Thanks for the chance to win a candy!!! From Ushuaia, "the end of the world", Argentina... Hugs, ma.Irene Love your blog. I especially like the video portion. I learn with visual aids. Thank you for sharing all your craftiness with the rest of us. I just joined and am LOVING all the great tips and ideas. Hope I will be able to use some of them in the very near future! Love the new Paperdoll designs! So cute! Perfect for all of us with little girls! You all are doing an amazing job! Thanks for all you do! Would love to win! Another Great Give away, one day I will win, sure hope it's before I get to old to use it. HaHa Love you work [email protected] that's deeolson at tds dot net Hope to win I do visit every day and love this site. Love,love your cards. They get my creative side going and make me want to do more. I would also love to have an Expression machine. Wow what we could do with that. But just keep the stuff coming as we love it. I would love to win one of your prizes. I have alot of scrapping ahead of me and need all the help I can get:-) Love these blogs and all the help they give!! Will tell me my customers about this site. So many new Cricut users want a class to learn more. Would love a chance to win an Expressions machine as well. Wow! I am new to Cricut and wouldn't be able to do anything without your sites! Thank you so much for the inspiration!! I can't wait to get started!!!! I do have a question. I already have a few cartridges and am having trouble finding all that's available on them. What's the best way to organize what's on the cartridges? I have a new (first, can you tell?!) granddaughter and am anxious to spoil her rotten with scrapbooks, cards, and hopefully, eventually, cakes! How do I keep my sanity with so many choices on each cartridge?! Thanks so much for your guidance!!!! love giveaways never win but still love them non the less.Great site. Great blog. I can't pick what is the best. From tips to ideas to just getting inspired. It's all the best I just discovered your blog and I can't wait to see all the things you do with the Cricut. I bought the Cricut Expressions a couple of months ago and have been happy with it. However, I'd love to get more ideas using some of my cartridges. Thanks. My GRANDdaughter (age 7) and I have so much fun together on the Cricut! It really helps bring out her creativity!!! We would love to win! Thanks for all your great ideas! I just ordered the Cricut Create however I wanted to make cards and now that I look at the info more I am wondering if it will allow me to make cards since the paper size it uses is smaller? Anyone have one and using it to make cards? Cute Layout! I love the Pooh and Friends cartridge. Thanks for the ideas. Love this blog, just bought my cricut and love, love, love it. I'm so excited to see your website. I know I am going to enjoy it so much. Thanks for the opportunity to enter and win! Annette Terrific gifts! Inspiring videos. Thanks for the opportunity! I am a Preschool Teacher and we are nearing the end of the school year. I have used my Cricut for lots of theme projects! I have done the Alphabet across one wall in my Room thanks to my Cricut! Thank you for all of the inspiration, your site is Awesome! Appreciate all your ideas. Keep them coming. Grandma Judy Ellen Wow. I am a new Cricut user and I love all your ideas. Thank you for all the time you spend to help all of us with projects and ideas. Huggy Bug I just love everything about this site...I would like to win anything concerning scrapping.Thanks so much for sharing your talent with us... I am a new cricut owner. I love all the new cartridges and would love to have them, especially Cindy Loo. I love your site, it's a great place to get inspired. Love what you did with the Toy Story and Cindy Lou layout. Great Blog! I will be visiting often. Phyllis Love you site. Great place to get ideas and inspiration. And it doesn' hurt that you give away wonderful "goodies" The mini monster looks darling. The layout of your husband is wonderful Joy! Great job on the guy layout...that is sometimes a challenge! This is my first week with "Everyday Cricut". I've been inspired. Thanks for all the great ideas. Margo You're doing great. Keep up the good work! Love your site...no really :) Just bought my cricut and would love to win! I need to get my create juices going.. Thanks Much~Michelle Just joined - looking forward to seeing more of your amazing layouts! Can't wait to see more from the Toy Story cartridge!! Happy Scrappin!! Teri I love your blog. It would be great to win the some cartridges so I can start my craft corner I am completely new to cricut.I just found this site - thanks - I cannot wait to get learning how to use my cricut expression. I had sizzix with lots of dies, that I just sent with my missionary friend to South Africa. It will be perfect for her there as she doesn't always have access to electric and so on. She was thrilled. It was my 30th wedding anniversary when I did this, and I found a great deal on the expression and my hubby said, "Happy Anniversary." So, of course I ordered it right away. It arrived today - so I am looking for great resources and found your site. I'll need to find good deals on cartridges , software and how to's and more! Suggestions for a cricut beginner? Jeanne Would be awesome to win and be able to add these to my scrapbooking collection....Your creations are beautiful and inspiring!!! Thanks! [email protected] This is my first time visiting tis site. I LOVE it. Can't wait to see what's on here tomorrow. Man, would I just love creating with either of these! Thanks for the opportunity of winning! Dian cute card, tfs. ria I want to win one cartridge, on june 15th is my birthday, could be the perfect present for me. i love this blog i visit daily Melanie, you have a great projects I love getting new ideas from such creative people!! Thanks for all your creations! I love getting new ideas from such creative people!! Thanks for all your creations! So excited. Love your cards. Crossing my fingers and toes!!! Would love to win Nuesery Rhymes or Give a Hoot! Very excited about finding this site. Love the cards and am always interested in cards and scrapbook layouts. Would love to win the Give a Hoot and Nursery Rhymes! A chance to win Give a Hoot or Nursery Rhymes would be great!! Love this site!! I've done a lot of scrapbooking and now have the Cricut expressions. Have a lot to learn. Wish there were classes for the expression!!!! It's great getting ideas from this site, keep them coming!! So much Fun!!!!! Thanks, LindaH Hi there. back in the cutting mode again.. would be so nice to win something.. Love your projects... You gals ROCK.. Well I have just joined your mailing list and so excited to be able to learn to use my circuit for so many things!! Thank you Diana I am just learning and am looking forward to lots of ideas for using my Cricut. I love the bear card. I hope the New Cricut Lite cartridges come to Canada at a reasonalbe price. I look so forward to your everyday emails! They are GREAT!!!!! Cool cards! Great job. The It's OWL right card is charming! I just found out about this vlog and i will be telling all my friends tomorrow when we get together for play group. Thanks for you hard work and great ideas. Aleece This is a great site. Thanks! I have just discovered your videos on youtube and find them very helpful. I really have no idea what a blog is or how it works so you will have to forgive me. All of this technology is confusing (definitely not English!):) You do an amazing job of detailed explanation and I would like to thank you for the tips on where to find the products you are using! Just found your site. Really creative stuff!! I'm fairly new and this site is great! Your ideas are awesome. Thank you Everyday Cricut. I now receive your emails and have gotten some great ideas. I am new to the cricut world, as I only received me. I have only the two cartridges that came with the machine and one other, Paper Pups, but am excited about all the opportunities. Also your ideas on the website are inspirational and remind me to be creative. I would also love to submit for the free cartridge - Just for cards. I would love to increase my cartridges to four and expand my horizons. Thank you again. Yvette I absolutely love this page. My kids are now grown and I'm just catching up on photos at all ages. I have tons of beach photos so this is perfect! Today is my 33rd anniversary to the most wonderful man who lets me be creative! Would love to win!!! Love all the cards and creative ideas you post. A friend just let me know about your site, this is awesome! This really inspires me to ue my cricut more. The "Mini Cards" are a great idea for quick gift cards or hostess gifts, etc. I would love to win the Cricut Cake carts to help increase my cuts for cardmaking. Love all that you create with the various carts. Keep up the good work. Thanks. just came back, been away from your site for awhile, love Marthas stuff the card is really nice do i have to have a google acct. to enter ?? would love to win Love the card, I love the simplicity but elegance of the butterfly. I am just beginning to make cards and the site gives me so much encouragement and ideas! Love Everyday Cricut. Look forward to each day's postings. Gives me lots of ideas and encourages me to experiment. I scrap lift a lot of the ideas! Talented artists. This is awesome!! Thanks, Michelle Smith I would love to win this for my mother's birthday!! Your website and ideas are always so AWESOME! I would love the cricut cake machine! looks like so much fun!! Fingers crossed!!
Prevalence of Individuals in Middle Stage Dementia Studies indicate that currently most individuals with Alzheimer's and related dementias are functioning in the early stage. However, in our experience we have found the greatest number of long-term care residents to be functioning in the early stage and as many, or more to be functioning in the middle stage. The number of early and middle stage residents combined can easily exceed 60% of the long-term care facility population. While many individuals in middle stage live in a long-term care community, many also remain at home with caregiver support. However, the middle stage is the stage in which many family caregivers do make the decision to place their loved one in a facility because A Review of Middle Stage Dementia Our team describes middle stage dementia as a person who is functioning in Allen Cognitive Level 3 or Adapted FAST stage 6 and has functional and behavioral characteristics that are similar to that of a 2-4 year old. Allen Level 3 review:) For purpose of review, some of the additional primary functional remaining abilities at this stage are: The functional abilities listed above are derived from cognition. However, if a person also has another type of disability such as physical disability related to a stroke, the person may have a partial or complete deficit in any/or all of the above. Speech Speech intelligibility in middle stage is extremely variable anywhere from the ability to speak in intelligible phrases to speech being entirely absent. A common characteristic is what is called speaking in neologisms. I am sure you have observed this as the person is talking in a conversational tone; however he/she is not actually saying real words. We can not be exactly certain as to why speech deteriorates at such a variable rate. However, we believe it may be related in some way with how conversational the person was prior to the onset of their Alzheimer's and related dementia symptoms. Middle Stage Treatment Techniques I have found that the following skills are absolutely, positively necessary in order to enable the person with middle stage dementia to function at the highest possible level and actually use the abilities that remain. Unfortunately, if we as a therapist, or a caregiver miss even just one of these steps the person in middle stage dementia may not be able to demonstrate his/her highest ability to function. Let's tease out each of these techniques a bit more. A friendly, positive, and patient approach Each and every time you approach this patient you must be very aware of your approach. Ask yourself: Removal of distractions in the environment Each and every time you work with this patient you must be very aware of your environment. Look around and listen. Ask yourself: Of course we must perform this analysis as we prepare for our session and throughout. This is an ongoing process as things in the environment will be forever changing. Change what you can immediately. The change may be something as simple as pulling a privacy curtain or changing the person's position in the clinic. Or it may require partnership to make change such as asking permission to turn off a television or asking staff to keep their voices down. In any case, the environment can not be ignored as once attention is taken away, nothing is being processed. Therefore, success will not be possible. Placing yourself and the tools in the person's visual field Each and every time you work with this patient you must think about how to position objects in the person's visual field in order to capture attention. For middle stage, make certain you place an object within 14-18 inches from eye level or it will likely be out of sight and therefore out of mind. Of course you also need to make sure you are positioned right in front of the person and making eye contact in order to gain and maintain attention. Remember that "visual field" describes the area in which the person will purposefully look when seeking out something that they cognitively recognize they need or want. Example: The person is sitting at a dining table and feels the need to take a drink of water. The person then looks for a cup of water. The visual space in which a person in the middle stage of dementia will look for the cup of water will likely be 14 to 18 inches from eye level. If this cup is outside of this space, it may not be seen and therefore the person will not take a drink. However, if the person just happens to be looking across the table and sees the water cup, this may trigger the desire to drink. Activity: Identify at least one middle stage resident and observe situations throughout the day in which the world and its objects are simply "not available" because they are not within visual field. Please share your activity experiences in our General Chat Forum by stating the following: Task segmentation—breaking an activity down into one-step parts The ability of the clinician or caregiver to take any activity and break it down into one-step parts is absolutely critical for the middle stage client. This is one of the primary reasons why this individual requires 1:1 assist with ADLs and other multiple-step activities. Unfortunately the ability to recall the individual steps from memory, even for a very familiar task such as brushing teeth, begins to become impaired. At the higher end of level 3 the person may be able to "chunk" a few steps together. In fact, once you get them started it may appear as if you have just "kick started" memory as the person may begin chunking more steps together without cues as the activity progresses. However in low Allen Level 3 the person needs almost every step presented singly with special cues to comprehend (see below). Task segmentation is one of the areas on the MDS (the interdisciplinary assessment tool used in Long-Term Care) to measure cognitive function. And this is often an identified "caregiver approach" in the care plan. However, to my amazement, many CNAs, activity staff, and others have not demonstrated an understanding how to break a task down into simple parts and to appropriately cue the person through the steps. This then becomes an area of great continuing education need. Activity Identify two activities that have multiple steps such as "brushing teeth" or "transferring from a wheel chair onto a toilet." Then, meet with a CNA, activity person, or other caregiver and complete the following exercise: Part I Part II See below. Speaking in short phrases and adding visual and tactile (hands-on) cues in combination with verbal cues Short Phrases There is great need for a therapist or caregiver to change communication style in order to enable the person to successfully comprehend. We must shorten our phrases as the person's memory and attention have shortened. Instead of saying, "Millie, I would like you to stand up and walk over to the closet to pick out a nice outfit for this beautiful day. Do you know it is 75 degrees and sunny today?" Simplify this to: "Millie, please lean forward." [STOP] "Stand up." [STOP] "Walk with me." [STOP] "Open the closet." [STOP] "Would you like to wear the red or yellow outfit?" [STOP] Of course you should have a general conversation with Millie prior to beginning your activity. At that point you can introduce yourself, discuss the beautiful day, etc. But consider the activity as separate from general conversation. The activity experience is the place in which you must really be mindful of changing your communication style to include shortening of phrases in order to facilitate the best performance and comprehension. Pre and post conversation should not in any way be deemed as unimportant as this is very critical to building a good relationship and trust. Without this feeling of comfort, the person with middle stage dementia may "refuse." I understand that we get very busy and are often multitasking when we work. However, consider these points: Cueing Types In the above scenario, if Millie did not respond to any one of those short simple steps (after waiting about 10 seconds for a response), provide the verbal direction again but this time add a visual and/or tactile cue to support the verbal direction. Example A: "Millie, please lean forward," while simultaneously providing gentle tactile input at the top of her back to lean forward. Example B: "Open the closet," while simultaneously visually demonstrating the motor movement in close proximity to the closet door. Activity (continued from previous section) Continue with the same two activities that were identified in the previous activity. Note: If you are a new clinician feel free to perform this activity, both Part I and Part II before you introduce this to caregivers. This is a skill that the Dementia Therapist must master and feel confident with first. Waiting for a response The processing speed simply slows down as dementia progresses. You may see a latency of verbal or motor response of about 10 to 15 seconds in middle stage dementia. Please remember to be patient and wait before you provide another cue. You risk over stimulation if you provide cues too quickly or at a greater volume level. Providing objects and activities that are in the person's long-term memory Long-term, procedural memories are the strength of a person functioning in middle stage. Therefore, it is very important to gather as much personal information about each client as possible in order to be able to introduce objects and activities from long-term memory. The utilization of long-term memory can promote greater participation as it connects to a familiar memory and taps into internal individual motivators. Instead of working on strengthening through a typical therapeutic exercise approach, consider asking the person to move or lift items that are familiar and meaningful during a meaningful activity, through the range of motion desired for appropriate muscle strengthening. Example: Instead of doing the rainbow arc with a wrist weight on for UE ROM and strengthening consider placing bowls, soup cans, paint cans, etc. on a counter top and ask the person to stack them on a shelf or a cabinet. Tap into the person's interest areas to get the best participation. I love gardening. Therefore, you could ask me to scoop dirt from a bowl into a pot and I would likely do this for you all day. Just simply position the objects appropriately to facilitate the range of motion and muscle usage desired. Then, cue me as needed to progress through each simple activity step. Please note that the sense of smell is said to connect to our memory better than any of our senses. Therefore, consider adding as many aromas that connect to the activity as possible to facilitate better performance. Dirt has a distinct aroma which may actually be appealing for a gardener. Consider having the patient smell the dirt prior to cueing through the motor movement of each step. Slight Performance Variation in Low Level 3 from High Level 3 Please remember that a big leap occurs between 3.4 and 3.6. Therefore, performance will be better at the higher end of level 3. Differences that you will likely observe are: Conclusion Individuals who are functioning in middle stage can demonstrate high levels of participation in therapy and life, but only when enabled with the correct approaches and with the necessary environmental and activity adaptations. Therapists, professional caregivers, and personal caregivers must all be skilled in implementing the techniques described in this article or we risk creating "excess disability" and behavior problems. If any one of these techniques is not implemented the person will not be able to perform at his or her best ability. Be careful not to overestimate the skills of the caregiver in working with the person with middle stage dementia. And, don't underestimate the abilities of the middle stage individual. As a practicing clinician I have certainly made these mistakes along the way and it pains me to now know that I may have missed an opportunity to help. What an amazing opportunity we have been given. We are in the position of using our hearts and knowledge to enable individuals with advanced dementia to live! To laugh! To feel purpose! Feel the difference that your efforts make in the life of another. You have the opportunity to give the gift of quality of life each and every day. I hope that you found this article of interest and encourage you to perform the activities contained within. Please share your activity experiences through May 31st in our Forum. This will enable our community members to learn from one another. Download our free eBook, Communication Tips for Serving Individuals With Dementia. Already an Instructor or Site Member? Log in to access your free resource. Register Now >>
VMware's Cloud Foundry Platform-as-a-Service project took a step toward cloud interoperability this week with the release of Cloud Foundry Core, a program that allows developers to move applications across different cloud platforms. The Cloud Foundry platform is being developed as an open-source project as core.cloudfoundry.org, and as a commercial product, which will be released next year. VMware said it wants the Cloud Foundry platform to be used by developers to build applications that can work across different clouds to allow choice and prevent vendor lock-in. [Related: 7 Ways To Capitalize On The Cloud ] "In the cloud computing world, preserving a choice of clouds is critical. The risks of being locked into a single cloud are substantial," Dekel Tankel, director of product marketing, cloud application platform, at VMware, wrote on the Cloud Foundry blog. "Business requirements will evolve over time, necessitating the ability to move between clouds, whether public to private, private to public or between public cloud providers. "Cloud Foundry Core provides a baseline of common capabilities and an open mechanism to instantly validate application portability," Tankel added. To help developers move applications across clouds, Cloud Foundry has developed a common set of open-source frameworks and technologies that applications can use in a PaaS platform, including programming languages Java, Ruby and Node.js. In practice, Cloud Foundry aims to make it easier for cloud customers to deploy applications in the cloud, Jerry Chen, VMware's vice president of product management and product marketing, said in an interview with CRN. "This program gives customers the ability to be compatible with a common set of APIs, languages and supporting technologies, so that when they make a program once inside Cloud Foundry, they can deploy it into another cloud," Chen said. "It's been called cloud virtualization." Chen said that while Amazon is well known as a top cloud provider, VMware is a leading cloud partner providing virtualization technology for public clouds and it is also one of the largest private cloud providers. VMware, he said, is looking for partners to become involved with its PaaS services and to use them to add cloud services to their portfolios. "As channel partners, solution providers, resellers and integrators look for ways to add value to customers, we see Cloud Foundry as part of the stack of essential cloud services for them, including vSphere [VMware's cloud operating system] and vCloud [its integrated suite of cloud infrastructure services]," Chen said. PUBLISHED NOV. 16, 2012
Articles tagged with: Sightseeing NEW: Here you can download our PDF Guide to Dubrovnik Historically Dubrovnik has always been very special, as the city was a republic it had a … Blue and red lake Imotski Last Sunday we went on a trip with our Australian friend to see the Nature phenomenon the Imotski lakes, which is a red and a … Holidays Split | all About Split Croatia If you are planning a holiday in Split, you might want to plan a head, what to see, which excursions to make, where to go … Nin, the oldest city in Croatia On the last day of our Easter holiday, we went to see the city Nin, which is considered to be oldest city in Croatia, Nin … Split fish market It’s a special feeling to visit the Fish market or Peskarija as it is called here. To me, as well as most other citizens in … National Park Paklenica | Visitors guide What is useful to know if you want to visit the National Park Paklenica? How to get to Paklenica The National Park Paklenica stretches on the littoral … National Park Krka Waterfalls – visitors guide What is useful to know if you want to visit the National Park Krka? Entrance and parking There are two official entrances for National Park Krka, … Star Village – The observatory in Split Friday we went to visit the observatory on the Mosor Mountain south of Split, the Observatory, or the star village as it is called, is … NEW UNESCO WORLD HERRITAGE SITE IN CROATIA On the 8th of Juli Stari Grad Plain was added to UNESCO’s list of world cultural herritage. The Stari Grad Plain on the Adriatic island of … MLJET – island near Dubrovnik There’s Island and two lakes extraordinary connected …name of that Island is Mljet. NEW: GUIDE TO MLJET Mljet is rich with forests because of that, he is … LASTOVO POSTCARD Lastovo one of the farthest islands is protected park of nature since 2006. It is ideal place for vacation, untouched nature, so quietly and beautiful … Trsat, a hill above Rijeka Yesterday was first sunny day since we moved to Rijeka. I cleaned dust from camera and we went to first look around:-) We choose to go … The cave Vranjaca Today we went to see the cave Vranjaca, which impressed us a lot. The cave is situated only 24 km from Split, although we have … New comments
The Grouch - Friday, March 07, 2003 Let's admit it. The breakneck speed of most days and the busyness of our workloads as well as our social planning can lead to a character flaw most of us would rather not acknowledge. If we are busy and stressed, we've probably become cranky and grouchy around others, even the people we are dating. We didn't start out this way, of course. On our first date, we were the epitome of kindness and sensitivity, full of compliments, smiles, and open-mindedness. But somewhere in the process of dating, without any effort on our part, a side of us was revealed that can become surprisingly testy, touchy, and downright irritable. Have you ever blurted out driving instructions from the passenger seat, even though you knew that would chill an otherwise enjoyable date? Have you ever snapped with a question or command, and then tagged a gratuitous "please" on the end that was clearly an afterthought? Have you ever grumbled and groused over a meal your date has prepared for you because it wasn't specifically what you wanted to eat that night? Most of us justify our irritability with thoughts such as, "This isn't really me acting rudely to my date; I'm really a caring person. This is just one date, and at the next one, I'll be nicer." We convince ourselves that our grouchiness is a temporary condition that will go away as soon as we pay the bills, throw our friend's baby shower, or complete an important project at work. But over time, we realize our rationale is wearing thin. We gradually learn we can't even convince ourselves, and there are only so many tense dates we can go on before the person we are dating stops returning our phone calls. So what can a grump do? Plenty. It begins-and ends-with paying special attention to how we treat the person we are dating. Can you imagine if your home, your phone, and your car were bugged? For the last two dates, every conversation and every comment you made to your date was recorded on tape. Feeling queasy? Even worse, you are now going to have to sit down and listen to yourself and how you spoke to your date, and think about whether those words brought you and your date closer to each other and helped you learn about one another or whether they created a distance that made the date less fun for your date than he or she might have had spending time alone-or dating someone else. It's a frightening thought for most of us who have been steadily dating. And it's probably a good thing we won't have to endure it. But to change our grouchy ways, we will need some method of monitoring our interactions. Why? Because awareness is often curative. Simply recognizing what you are doing, when you are doing it, is enough to get you moving out of your grouchy plight. If you feel you are taking your grumpiness out on someone you are dating, work on increasing your awareness by keeping a journal for a week or more to record the kinds of things you say. You may discover, for example, that you are particularly irritable at certain times of the day, or when you are hungry. These are important things to know. "Time alone to read and think, to ponder and pray, nearly always leads to deeper awareness," says Dr. Neil Clark Warren, founder of eharmony.com. "If you get more deeply in touch with yourself, you always have more to give to the intimacy process." However you go about it, raising awareness of your ways will become the key to keeping your irritability under
Crossword Puzzle Number 1949 (Medium Grid) 1. Thin fibrous bark of the paper mulberry and Pipturus albidus. 5. A tiny or scarcely detectable amount. 12. A strong emotion. 15. South American armadillo with three bands of bony plates. 16. (plural) Rare collector's items. 17. Someone who is morally reprehensible. 18. Cubes of meat marinated and cooked on a skewer usually with vegetables. 19. Extraordinarily good. 20. An Arabic speaking person who lives in Arabia or North Africa. 23. (meaning literally `born') Used to indicate the maiden or family name of a married woman. 24. (prosody) Of or consisting of iambs. 26. Deliberately arranged for effect. 28. Relating to or existing on or affecting the skin. 31. An open box attached to a long pole handle. 32. A flat wing-shaped process or winglike part of an organism. 33. Prolific Spanish playwright (1562-1635). 35. The capital of Morocco. 39. A historic division of Ireland located in the northeastern part of the island. 41. Clothing of a distinctive style or for a particular occasion. 44. A Chadic language spoken south of Lake Chad. 45. Any of various hard resins from trees of the family Dipterocarpaceae and of the genus Agathis. 47. A public promotion of some product or service. 49. The most common computer memory which can be used by programs to perform necessary tasks while the computer is on. 50. United States naturalist (born in Switzerland) who studied fossil fish. 54. A transparent optical device used to converge or diverge transmitted light and to form images. 55. A member of the North American Indian people formerly living in the Colorado river valley in Arizona and Nevada and California. 58. Made agreeably cold (especially by ice). 59. Growing a crystal layer of one mineral on the crystal base of another mineral in such a manner that its crystalline orientation is the same as that of the substrate. 62. An air pump operated by hand to inflate something (as a tire). 69. The cry made by sheep. 70. Malayan tree bearing spiny red fruit. 73. A loose sleeveless outer garment made from aba cloth. 74. A mature blood cell that contains hemoglobin to carry oxygen to the bodily tissues. 75. (especially of plants) Developed without chlorophyll by being deprived of light. 76. A serve that strikes the net before falling into the receiver's court. 77. Owed and payable immediately or on demand. 78. Located farthest to the rear. 79. An agency of the United Nations affiliated with the World Bank. 1. The basic unit of money in Bangladesh. 2. Someone who copies the words or behavior of another. 3. A metabolic acid found in yeast and liver cells. 4. A peninsula between the Red Sea and the Persian Gulf. 5. A soft silver-white or yellowish metallic element of the alkali metal group. 6. Pouch used in the shipment of mail. 7. A heavy brittle metallic element of the platinum group. 8. English theoretical physicist who applied relativity theory to quantum mechanics and predicted the existence of antimatter and the positron (1902-1984). 9. Any of numerous agile ruminants related to sheep but having a beard and straight horns. 10. An Asian river. 11. A person who travels through the water by swimming. 12. The formation of frost or ice on a surface. 13. (the feminine of raja) A Hindu princess or the wife of a raja. 14. Having a specified kind of border or edge. 21. An independent ruler or chieftain (especially in Africa or Arabia). 22. Fodder harvested while green and kept succulent by partial fermentation as in a silo. 25. A port in northern Belgium on the Scheldt river. 27. (Babylonian) God of storms and wind. 29. The amount that a container (as a wine bottle or tank) lacks of being full. 30. Dutch navigator who was the first European to discover Tasmania and New Zealand (1603-1659). 34. A hard brittle blue-white multivalent metallic element. 36. Of or relating to or containing barium. 37. Lower in esteem. 38. Brought from wildness into a domesticated state. 40. Adornment consisting of a bunch of cords fastened at one end. 42. A radioactive element of the actinide series. 43. A Chadic language spoken in northern Nigeria. 46. Accumulation in the blood of nitrogen-bearing waste products (urea) that are usually excreted in the urine. 48. An uproarious party. 51. Reproduce someone's behavior or looks. 52. Old World vine with lobed evergreen leaves and black berrylike fruits. 53. The dynasty that ruled much of Manchuria and northeastern China from 947 to 1125. 56. A place where ships can take on or discharge cargo. 57. An edge tool with a heavy bladed head mounted across a handle. 60. A manicurist who trims the fingernails. 61. French painter whose work influenced the impressionists (1832-1883). 63. (Babylonian) God of wisdom and agriculture and patron of scribes and schools. 64. The front of the head from the forehead to the chin and ear to ear. 65. Informal or slang terms for mentally irregular. 66. An island in Indonesia east of Java. 67. In bed. 68. A Chadic language spoken south of Lake Chad. 71. European cave-dwelling aquatic salamander with permanent external gills. 72. An adherent of any branch of Taoism. Feel free to print out this crossword puzzle for your personal use. You may also link to it. However, this web page and puzzle are copyrighted and may not be distributed without prior written consent.
THE who are disappointed if their late-morning beverage is actually non-alcoholic. Since Chelsea Handler introduced alcohol to the 4th hour in 2008 while promoting her book “Are you there, vodka? It’s me, Chelsea,” alcohol has become a signature staple of the show. Even “Saturday Night Live” paid tribute with a hilarious spoof. In a country where local TV stations in places like Texas or New Orleans won’t even allow an unopened bottle of wine on morning television, Kathie Lee and Hoda celebrate everything from National Margarita Day to Oktoberfest in front of 2.3 million viewers nationwide. Since November 2011, the 4th hour also gets repeated at 2 a.m. the next morning, averaging a healthy viewership of around 683,000. Can this get any better for peeps in liquor marketing, one may ask? It can – the 4th hour attracts the sought-after audience of women ages 25 to 54 and has a mind-blowing social media following. 369,000 Facebook fans and 36,600 followers on Twitter, to be exact (@klgandhoda). So how do you land a gig on “The Today Show?” Two former clients of mine, a champagne and a vodka brand, each got their two minutes of fame on the most famous Happy Hour of morning television. If you ask me, here’s what they did right: - Pitch a story, not a product: We’re in PR, not in sales. Pitch a compelling story that fits your brand message, while including some other non-competing products. Working for an eco-friendly brand? What about “Sip a cocktail, save the earth! Cocktails that give back for Earth Day?” - Invest in an A-list spokesperson: After all, it’s national broadcast. Partner with established experts, such as the editor-in-chief of Food & Wine magazine. Stuck with a no-name spokesperson? Invest in local TV exposure first. The producers of “The Today Show” expect excellent B-roll footage of people they have never worked with. - Know your audience AND your anchors: Did you know that Kathie Lee does not drink boxed wine? Get familiar with the anchors and their female-skewed audience before you even think of proposing a story. The manliest cocktail of mankind is probably not going to be the right fit. For more general tips on how to successfully pitch the 4th hour, check out Sabina Ptacin’s blog post on Preneur.net. Oh, and one more piece of advice, if you represent a liquor brand, always, and I mean ALWAYS, have professional bartenders on set when your brand will be featured on “The Today Show.” A producer once insisted that he only needed the recipe and would make the drink himself in order to save time. The facial expressions Kathie Lee and Hoda sported live on air when they tasted my client’s cocktail haunted me for a while. Photos courtesy of the Today Show, Jezebel and Xfinity. After reading the story, I am disgusted. They are not setting good role models for our daughters. “Sip a cocktail, save the earth!Come on talk about justification.
Most Important Thing In Universe Biochemist, Dr. Michael Atchison tells how Christ changed his life. Growing up, I didn’t fully understand what it meant to have a relationship with Jesus. I heard the gospel, was around it and knew it, but didn’t get it. By the time I went to Albany State University in 1973, I had a good dose of Christianity but still didn’t understand what it all meant. I drifted off in whatever direction I choose. I knew of Christian groups on campus, but avoided them and got involved with the party scene because it was cool and more accepted. There were lots of weekend parties and the drinking age in New York back then was 18 years old. My weekend began on Thursdays. As a student, I was dead broke, working nights, going to school during the day. My family had no money. I was working really hard and I was really tired. When I finished college, I was accepted into graduate school at New York University. I withdrew the $7.53 I had in my bank account and went home to live with my parents, working a few jobs that summer to make whatever money I could. I got my PhD in cellular molecular biology at NYU’s school of medicine. I also met my wife in graduate school and we married in 1979. We had our first child in 1980. All of a sudden I was in my mid-twenties and had a kid. I was cruising along, in a good graduate program and work was going well. By 1982, we had two kids. But something was missing. I was pretty sure a relationship with God was what was missing. I knew I didn’t know who He was. I knew that’s what the void was, but wasn’t motivated to do anything about it. From my earliest years as a 5-year-old, I knew God loved me, my mom told me that. But I kept Him at arm’s distance because I wanted to keep getting the blessings without having to commit to anything. I didn’t want to have to give Him anything. I knew He loved me but I didn’t understand the gospel or what any of that meant. About that time, my oldest son at age 4 began asking me questions about God. I would give him answers, but it was clear to me that I was just making it up. I wasn’t speaking out of any authority and that bugged me. In 1984 we moved to Philly to do a Post Doc at Fox Chase Cancer Center. Two blocks away there was a Methodist Church and since I had gone to one as a child, I thought it a good idea to get reconnected with the church. There was a big void and knew that’s what it was. I began going to that church in 1985… at the same time I tried to find my Bible and I couldn’t find it. So for Christmas, I asked for a Bible – my mother got it for me. I read it cover to cover but didn’t get it. I was amazed and impressed by the history and real people, but I didn’t understand what it was all about. Then I started attending a Sunday School class and these people believed the Word of God and studied it. They also had a Bible study and I began going to that, too. I’m a scientist, I think logically. I have to have my ducks in a row to believe something. There has to be logical flow. The guy who was running the class was John, a physicist/scientist (he didn’t have Ph. D. yet, but did subsequently). He knew the Bible. He knew Scriptures. We would get in arguments and his held water. So I finally started listening and stopped arguing. We began studying Romans, and suddenly around chapter 5, I got it. It was like a light bulb went on. I got it. I can’t say precisely when or how it happened, but studying the book of Romans, I suddenly understood the gospel and what it was all about. I knew this was the most important decision in my life. I had made the decision that Christ was my Savior and there was no turning back. During all this, I was working really hard in the lab and I was frustrated, but then things came out really well. It came out beautifully. It occurred to me that I couldn’t control it, and it was humbling. I’m a pretty hard-working, smart guy, that’s what it takes, right? When things weren’t going well and even when they were, I realized I wasn’t in control, but the Lord was. And HE had blessed me by giving me these things in life. Dr. Michael Atchison lives in Glenside, PA with his wife of 32 years, Dr. Lakshmi. He is a Biochemist at the University of Pennsylvania’s School of Veterinary Medicine. Both of his adult sons, Alan and Steven, work at UPenn. Lakshmi is a professor of biology at Chestnut Hill College. In their spare time, they enjoy dinners together at home and out at favorite restaurants, camping, nature trail hiking and occasionally watching movies together. They have also published science textbooks together under the publisher, McGraw Hill.
This was our first family vacation and things really turned sour right from the beginning. We are a family of four with 2 daughters 8 & 14. First Day - We arrived aboard and checked in our cabin to find that there were three (SINGLE) beds to accommodate 4 people! The room steward says that he cannot accommodate a rollaway because only one of single beds could only move one way. We then were told that time was of the essence and that we had to prepare for the life safety drill. We go thru this process and then go to the Pursers Desk to get our sail and sign in cards situated by placing deposits and such. We then tell them about our room and the attendant(The gentleman purser dressed in the white uniform) points to the bold read sign with white letters stating that there is no other upgrades or other rooms available PERIOD! Therefore My DH and I had to share a Single Bed together the entire trip! After trying to get everything situated, We then noticed that we had missed our dinning room time at 5:45PM (as stated on our reservations from our travel agent) so we quickly grabbed a bite to eat in the brasserie being starved from traveling all morning. I then tried to locate anyone with information concerning the Camp carnival groups orientation and found out that we had missed that also. By this time we both had felt so frustrated that my DH and i just looked at each other and said "I need a drink!" Would you believe that It was 7:00PM when My DH and I actually got some time to just relax and have a drink to wish one another Bon Voyage for our trip? By the way we had ordered two specials that came in the Carnival yellow souvenir plastic glasses....in which NO ONE EVER TOLD US that we could reuse them and save two dollars each if we reused them again to order drinks...that is not until the very last day at sea on the pool deck when a young lady came up to us and asked us if we wanted a cocktail. We said yes and then she asked if we wanted the special with the souvenir cups that would save us $2.00 each. I couldn't believe my ears that no one had ever mentioned this to us! Second Day - On our second day aboard we dropped the girls off to their destinations for their camp carnival groups...which was good...the girls had a ball! However the really big pain was this major detail that needs to be addressed concerning the younger Carnival groups...You could not drop your son or daughter off early for certain events...for example... Let's say that a show starts at 7:00PM ...you could not drop off your youngster off before seven..the group counselor's would not show up until 7:00PM on the dot...You waited in line to check them in and then you quickly walked thru the ship to the showroom and tried to find your hubby in the dark in the stadium that was saving a seat for you. So if you happen to hear "psst, Honey" in a whisper walking down the isle during a show... please try to understand that Carnival needs to some addressing on this and that it's not the parents fault! Here it is on our second day in the middle of the afternoon and low and behold....We had it brought to our attention that our seating time is not what is stated on our reservations but on our sail and sign in cards...UGH! We once again go to the purser's desk and it's the same guy in the white uniform and informs us that we have to wait until our seating time 8:00PM to talk with the Matre D in the dinning room. This really screwed things up for us! You see... Our youngest daughter (8) had her formal dinner (COKETAIL PARTY) at 5:45PM with her group in the kids carnival program. Our oldest daughter had no formal dinner with her group, so she of course wanted to eat with us (for the first time in the dinning room) for the formal dinner. We all dressed up and we were so VERY VERY VERY disappointed that we could not get a family portrait taken together. The photographers are only available at certain times to take photographs. With our situation it definitely was not possible eating at two different times that far apart. The dinning experience was horrible to say the least! We were seated at our table and had appetizers and ordered a bottle of wine (Chardonay - Captain's Choice) which was absolutely divine! Best chardonay i have had yet! I had steak and my DH had prime rib. My DH began to eat and turned to me and said to wave over the waiter if i happen to see him pass by. Our waiter came over and My DH explained that the prime rib was extremely tough even to cut with my steak knife. Our waiter then leaves and does not come back until 30 mins later with the maitre D (Baboo). I then explain the situation to him and he says that there is nothing he can do! I was quite appalled and asked why he would not take back his plate and give him another. He replied that because my DH had taken 4 bites out of his prime rib dinner, he could not take it back and then added that dinner is now over and now it was time for dessert! We just sat there in shock...we just could not believe it! We then kindly asked the waiter to cork our wine. The waiter told us that when we come back to the dinning room for dinner that we could finish the bottle of wine, and that if it was not finished that it would be delivered to our cabin on the last day at sea to finish it then. Needless to say that we NEVER returned back to the dinning room and that our $45 bottle of wine was never delivered to our room! Arriving at cozumel Paradise Beach made our vacation most memorable! We highly recommend this for a most enjoyable day! On arriving home i quickly called called Carnival's headquarters in Miami and they told me that this issue was a travel agent issue and that this is why you should not book any travel's with ANY TRAVEL AGENT and only book with Carnival themselves! My mouth about dropped to the floor! I then quickly called my travel agent to quickly address Carnival accommodating 4 people with 3 beds and to place a major complaint in. I was told that it normally takes about 3 weeks to get a reply from Carnival headquarters in writing. Here it is to date one month and four days that i have not received a reply back from Carnival! This really has been an eye opening experience to our family in which we really made allot of lemonade with all the sour lemons that were given to us during our FIRST FAMILY VACATION!
By Robert Hand, Staff Advisor Over 200 parliamentarians from throughout the OSCE region, including 13 members of the U.S. Congress, assembled in Kyiv, Ukraine from July 5 to 9, 2007 for the convening of the Sixteenth Annual Session of the OSCE Parliamentary Assembly (OSCE PA). Also in attendance were representatives from several Mediterranean Partners for Cooperation countries, and delegates representing Afghanistan, the newest country designated by OSCE as a Partner for Cooperation. The U.S. Delegation was led by the Chairman of the (Helsinki) Commission on Security and Cooperation in Europe, Representative Alcee L. Hastings (D-FL), a past president of the OSCE PA serving as President Emeritus. Commission Co-Chairman, Senator Benjamin L. Cardin (D-MD) co-chaired the delegation. House Majority Leader Steny H. Hoyer (D-MD), a past Commission chairman and the highest ranking Member of Congress ever to attend an annual session, also participated, joined by the Commission’s Ranking Republican Member, Rep. Christopher H. Smith (R-NJ) and Reps. Louise McIntosh Slaughter (D-NY), Robert B. Aderholt (R-AL), Mike McIntyre (D-NC), Hilda L. Solis (D-CA), G.K. Butterfield (D-NC), Marcy Kaptur (D-OH), Michael R. McNulty (D-NY), Doris Matsui (D-CA), and Gwen S. Moore (D-WI). The designated theme for this year’s Annual Session was “Implementation of OSCE Commitments.” Assembly President Göran Lennmarker (Sweden) opened the Inaugural Plenary Session which included an address by Ukrainian President Viktor Yushchenko, who stressed Ukraine’s commitment to democratic development. The OSCE Chairman-in-Office, Spanish Foreign Minister Miguel Angel Moratinos, also addressed the plenary and responded to questions from the parliamentarians. Starting Off at the Standing Committee At the start of the Annual Session, Chairman Hastings participated in the meeting of the OSCE PA Standing Committee, the leadership body of the Assembly composed of the Heads of Delegations of the 56 OSCE participating States and the Assembly’s officers. He presented a summary of his activities as Special Representative on Mediterranean Affairs, including his visits in June to Israel and Jordan. During the Kyiv meeting, he also convened a special meeting on the Mediterranean Dimension of the OSCE, attended by approximately 100 parliamentarians from Algeria, Egypt, Israel, Jordan, and the participating States. Ongoing Committee Work Members of the U.S. Delegation were active in the work of the Assembly’s three General Committees: Political Affairs and Security; Economic Affairs, Science, Technology and Environment; and Democracy, Human Rights and Humanitarian Questions. The committees considered their respective resolutions as well as nine “supplementary items,” additional resolutions submitted before the session. Senator Cardin introduced a supplemental item on “Combating Anti-Semitism, Racism, Xenophobia and other forms of Intolerance against Muslims and Roma.” Seven other U.S. delegates introduced and secured passage of a total of 25 U.S. amendments to the various committee resolutions and supplementary items, including Chairman Hastings and Majority Leader Hoyer on OSCE election observation; another Hastings amendment on past use of cluster bombs; Smith and McIntyre amendments regarding trafficking in persons; another McIntyre amendment on Belarus; Solis amendments on migration; Moore amendments on the use of “vulture funds,” and a Butterfield amendment on human rights. The U.S. Delegation was also instrumental in garnering necessary support for supplementary items and amendments proposed by friends and allies among the participating States. The supplementary items considered and debated in Kyiv, other than Senator Cardin’s, included “The Role and the Status of the Parliamentary Assembly within the OSCE”; “The Illicit Air Transport of Small Arms and Light Weapons and their Ammunition”; “Environmental Security Strategy”; “Conflict Settlement in the OSCE area”; “Strengthening OSCE Engagement with Human Rights Defenders and National Human Rights Institutions”; “The Ban on Cluster Bombs”; “Liberalization of Trans-Atlantic Trade”; “Women in Peace and Security”; and “Strengthening of Counteraction of Trafficking Persons in the OSCE Member States.” Guantanamo Bay Raised Following her appearance before the Helsinki Commission in Washington on June 21 during a hearing on “Guantanamo: Implications for U.S. Human Rights Leadership,” Belgian Senate President Anne-Marie Lizin, the OSCE PA Special Representative on Guantanamo, presented her third report on the status of the camp to a general Plenary Session of the Assembly. This report followed her second visit to the detention facility at Guantanamo on June 20, 2007 and provided the Assembly with a balanced presentation of outstanding issues and concerns. Senator Lizin concluded the report with a recommendation that the facility should be closed. Engaging Other Delegates While the delegation’s work focused heavily on OSCE PA matters, the venue presented an opportunity to advance U.S. relations with OSCE states. During the course of the Kyiv meeting, members of the U.S. delegation held a series of formal as well as informal bilateral meetings, including talks with parliamentarians from the Russian Federation, Ukraine, Kazakhstan, parliamentary delegations from the Mediterranean Partners for Cooperation, including Israel, and Afghanistan. The U.S. Delegation hosted a reception for parliamentary delegations from Canada and the United Kingdom. Electing New Officers and Adopting of the Declaration On the final day of the Kyiv meeting, the Assembly reelected Göran Lennmarker (Sweden) as President. Mr. Hans Raidel (Germany) was elected Treasurer. Four Vice Presidents were elected in Kyiv: Anne-Marie Lizin (Belgium), Jerry Grafstein (Canada), Kimo Kiljunen (Finland), and Panos Kammenos (Greece). Rep. Hilda Solis was also elected, becoming the Vice Chair of the General Committee on Democracy, Human Rights and Humanitarian Questions, which is responsible for addressing humanitarian and-related threats to security and serves as a forum for examining the potential for cooperation within these areas. She joins Senator Cardin, whose term as Vice President extends until 2009, and Congressman Hastings as OSCE PA President Emeritus, in ensuring active U.S. engagement in the Assembly’s proceedings for the coming year. The OSCE PA concluded with adoption of the Kyiv Declaration which included a series of concrete recommendations for strengthening action in several fields including migration, energy and environmental security, combating anti-Semitism and other forms of intolerance throughout the OSCE region and promoting democracy in Belarus. The declaration also addresses a number of military security concerns, including an expression of regret at the lack of progress in resolving so-called “frozen conflicts” in the OSCE region based on the principal of territorial integrity, especially those within Moldova and Georgia. For the full text of the Kyiv Declaration, please visit. The Seventeenth Annual Session of the OSCE Parliamentary Assembly will be held early next July in Astana, Kazakhstan. Other U.S. Delegation Activities While in Kyiv, the U.S. Delegation met with Ukrainian President Yushchenko for lengthy talks on bilateral issues, his country’s aspirations for further Euro-Atlantic integration, energy security, international support for dealing with the after affects of Chornobyl, and challenges to Ukraine’s sovereignty and democratic development. The President discussed the political situation in Ukraine and the development of the May 27 agreement that provides for pre-term parliamentary elections scheduled for September 30, 2007. The Delegation also visited and held wreath-laying ceremonies at two significant sites in the Ukrainian capital: the Babyn Yar Memorial, commemorating the more than 100,000 Ukrainians killed during World War II – including 33,000 Jews from Kyiv that were shot in a two-day period in September 1941; and the Famine Genocide Memorial (1932-33) dedicated to the memory of the millions of Ukrainians starved to death by Stalin’s Soviet regime in the largest man-made famine of the 20th century. Members of the delegation also traveled to the Chornobyl exclusion zone and visited the site where on April 26, 1986, the fourth reactor of the Chornbyl Nuclear Power Plant exploded, resulting in the world’s worst nuclear accident. While in the zone, the delegation visited the abandoned city of Prypiat, the once bustling residence of 50,000 located a short distance from the nuclear plant. Members toured the Chornobyl facilities and discussed ongoing economic and environmental challenges with local experts and international efforts to find a durable solution to the containment of large quantities of radioactive materials still located at the plant. Advancing U.S. Interests Summarizing the activities of the U.S. Delegation, Chairman Hastings commented on the successful advancement of U.S. interests. Specifically, the Chairman noted the delegation “represented the wonderful diversity of the United States population” and “highlighted a diversity of opinion on numerous issues.” Moreover, he concluded it advocated “a common hope to make the world a better place, not just for Americans but for all humanity,” thereby helping “to counter the negative image many have about our country. “In a dangerous world, we should all have an interest in strengthening our country’s friendships and alliances as well as directly raising, through frank conversation, our concerns with those countries where our relations are stained or even adversarial,” Chairman Hastings asserted. In order to put the recommendations of the PA into action, the members of the U.S. delegation wrote a letter to Secretary of State Rice, asking that the State Department press several issues within the OSCE in Vienna in the run-up to the November Ministerial Council meeting. First, the State Department should ensure that the role of the Parliamentary Assembly is increased in the overall activities of the OSCE. Second, the OSCE should increase concrete activities to fight anti-Semitism, racism, and xenophobia, including against Muslims and Roma. Third, The OSCE should strengthen its work on combating trafficking in persons and fighting sexual exploitation of children. Fourth, the OSCE should support and protect the work of human rights defenders and NGOs. Lastly, the OSCE should step up dialogue on energy security issues.
(Washington) - Following the lead of the United States Helsinki Commission, 35 Members of the United States Congress have written President George W. Bush, urging him to use the upcoming Group of 8 (G-8) summit in France to draw attention to a resurgence of anti-Semitism and related violence throughout Europe and the United States. “As the G-8 summit provides a timely opportunity to address political as well as economic issues facing societies represented and the wider international community, we respectfully urge you to raise this matter of mutual, international concern, and seek a joint commitment to work closely together to counter this disturbing trend,” the Members wrote. “The G-8 summit provides an important and extraordinary occasion for leaders to discuss international issues of the day, and we hope you will take the opportunity to set anti-Semitism as an international priority,” the Members added. Senator Gordon Smith (R-OR), Senator Saxby Chambliss (R-GA), Senator Hillary Rodham Clinton (D-NY), Rep. Zach Wamp (R-TN), Rep. Robert B. Aderholt (R-AL), Rep. Benjamin L. Cardin (D-MD), Rep. Alcee L. Hastings (D-FL). Other Members signing were Senator Barbara A. Mikulski (D-MD), Senator Jim Bunning (R-KY), Senator Bill Nelson (D-FL), Senator Evan Bayh (D-IN), Senator Larry E. Craig (R-ID), Senator Byron L. Dorgan (D-ND), Senator Mitch McConnell (R-KY), Senator Frank R. Lautenberg (D-NJ), Senator Dianne Feinstein (D-CA), Rep. Barbara Lee (D-CA), Rep. Joseph Crowley (D-NY), Rep. Jo Ann Davis (R-VA), Rep. Gary L. Ackerman (D-NY), Rep. Timothy J. Ryan (D-OH), Rep. Carolyn B. Maloney (D-NY), Rep. Brad Carson (D-OK), Rep. Eliot Engel (D-NY), Rep. Martin Frost (D-TX), Rep. Joseph M. Hoeffel (D-PA), Rep. Henry A. Waxman (D-CA), Rep. Jim Saxton (R-NJ), Rep. Betty McCollum (D-MN), Rep. Nita Lowey (D-NY), and Rep. Edward J. Markey (D-MA). A joint, public commitment from the political leaders, reflected in the summit communique, will bolster further efforts to eradicate anti-Semitism and deliver an unmistakable message to those who would promote bigotry and hatred, according to the letter. The full text of the letter may be accessed through the Helsinki Commission’s Internet web site,. “We fully understand the problem, as the United States is not immune from sporadic acts of vandalism and violence against members of the Jewish community and their institutions,” the Commissioners wrote. “With your leadership we are confident that a strong and vigorous coalition will be formed to fight.
Mr. Speaker, I rise today to bring to the attention of my colleagues disturbing news about the presidential elections in Kazakstan last month, and the general prospects for democratization in that country. that [Page: E260] GPO's PDF only real issue was whether his official vote tally would be in the 90s--typical for post-Soviet Central Asian dictatorships--or the 80s, which would have signaled a bit of sensitivity to Western and OSCE sensibilities. Any suspense the election might have offered vanished when the Supreme Court upheld a lower court ruling barring the candidacy of Nazarbaev's sole plausible challenger, former Prime Minister Akezhan Kazhegeldin, on whom many oppositionsakstan's economic decline and fears of running for reelection in 2000, when the situation will presumably be even much worse. Another reason to hold elections now was anxiety about the uncertainties in Russia, where a new president, with whom Nazarbaev does not have long-established relations, will be elected in 2000 and may adopt a more aggressive attitude towards Kazak call in December for the election's postponement, as conditions for holding free and fair elections did not exist. Ultimately, ODIHR refused to send a full-fledged observer delegation, as it generally does, to monitor an election. Instead, ODIHR dispatched to Kazstan benefited by comparison. In the last few years, however, the nature of Nazarbaev's regime has become ever more apparent. He has over the last decade concentrated all power in his hands, subordinating to himself all other branches and institutions of government. His apparent years. Moreover, since 1996-97, Kazstan, especially oil and pipeline issues, the State Department has issued a series of critical statements since the announcement last October of pre-term elections. These statements have not had any apparent effect. In fact, on November 23, Vice President Gore called President Nazarbaev to voice U.S. concerns about the election. Nazarbaev responded the next day, when the Supreme Court--which he controls completely--finally excluded Kazhegeldin. On January 12, the State Department echoed the ODIHR's harsh assessment of the election, adding that it had ``cast a shadow on bilateral relations.'' What's ahead? Probably more of the same. Parliamentary elections are slated for October 1999, although there are indications that they, too, may be held before schedule or put off another year. A new political party is emerging, which presumably will be President Nazarbaev's vehicle for controlling the legislature and monopolizing the political process. The Ministry of Justice on February 3 effectively turned down the request for registration by the Republican People's Party, headed by Akezhan Kazhegeldin, signaling Nazarbaev's resolve to bar his rival from legal political activity in Kaz co-chair, plans to hold hearings on the situation in Kazakstan and Central Asia to discuss what options the United States has to convey the Congress's disappointment and to encourage developments in Kazakstan and the region towards genuine democratization.
ALAMEDA -- Raiders general manager Reggie McKenzie met with seven reporters at the team complex Thursday to go over the team's 4-12 season and his plans for the immediate future, which includes hiring coaches to fill out Dennis Allen's coaching staff and preparing for the upcoming Senior Bowl in Mobile, Ala. The Raiders leave for Alabama on Saturday with practices beginning Monday and the game on Jan. 26. Expect a full transcript later, but a few highlights of McKenzie's 42-plus minute meeting with media members, his first public comments since Nov. 30. * McKenzie said the search for an offensive coordinator is "winding down" and acknowledged speaking with Norv Turner and Marc Trestman about the gig. * McKenzie, on if Allen was married to zone-blocking scheme and if team learned from failure: "I don't think Dennis was married to a scheme. He saw a scheme that he was interested in, and liked what it had to offer. To me, it's not about scheme -- people get so tied up in scheme, it's how you use your players and how you execute. * McKenzie on the salary cap issues: "Personally, I think we're year away from that. We're not in a salary cap situation like last year, but we still have issues and have some decisions that have to be made before free agency, or when free agency starts. So, we're not out of the woods, by any stretch. But, we are better off than last year. * McKenzie, on if cutting Rolando McClain would have been a salary cap hit: "There's always acceleration with anybody you've got money tied into." * McKenzie also said he was "confident" Darren McFadden would play the final year of his contract in Oakland in 2013. "When you talk about being productive, when you talk about offensively moving the ball, scoring points, getting some plays out of your big-play guys, you've got to find ways to let him do what he does best. We didn't. We didn't do that…when Darren is running certain plays, it's pretty doggone good, and which he had some last year. But when you talk about a scheme, he's not a lateral mover. He's not one of those guys. As soon as he can go north and south, that's when he's at his best." * McKenzie, on what he saw in Terrelle Pryor: "What I did see was Terrelle that I was pleased with, he protected the ball in the game when you have snapping issues, even with handing off, the ball slipping, protecting when you’re being rushed, he protected the ball. That was a plus for me. To see that and to see snap count, the offensive linemen getting used to his cadence and him getting the plays out and emotions and all the little things that he has to do to make sure there were no issues with penalties before the ball is snapped. Now, obviously, you can see the plays, and when things break down, where he can kind of create and do some things. But he had a chance to make some throws and he did pretty good. I was encouraged. Hopefully the new offensive coordinator will find a way to see what he can do best during this offseason and see what he looks like in preseason games." * McKenzie, on Carson Palmer's health: "He’s coming around. He’s doing much better. He’s healing up fine. That’s the reports I got, earlier this week, as of Monday, he’s doing fine." * McKenzie, on if he will keep the No. 3 pick: "I won’t get into what we’ll do. I’m not tied down to anything in January. I’m sure my mind will change so many times before April. But it will be interesting to see what happens." * McKenzie, on Mark Davis' mood at end of season: "Me and Mark we talk all the time. His concerns were as mine. How are we going to get better, mainly offensively. We talked about players, we talked about everything. Nobody is happy with a four-win season. Let’s get that straight. It was more at the end we were talking about how we were going to upgrade. We didn’t dwell on the negative if that’s what you’re asking. We’re talking about, ‘OK, what’s the plan.’ That’s where we were." * McKenzie said right guard Mike Brisiel had "major surgery" on an ankle, while right tackle Khalif Barnes had a procedure on an arm and linebacker Miles Burris had a knee procedure. * McKenzie, on Allen's first year as a head coach: "I thought what he did with his team to try to create a culture in that locker room, to get those players to believe we're making a change here, to try to do things the right way, and the way we practiced, the way we approached games, I thought he did a really good job, getting these players to buy into what we're doing. Talking to these players, guys are looking forward to getting back, and that's what it's all about. You want a good response to a head coach, how he's leading a team and how they're following him. And I was very pleased by the way he led the team. And I was proud the way he identified the issues and attacked them. He didn't just continue to run this offense and make it work, keep this guy, keep this guy- he evaluated it, said okay, he stood up, and said okay, we're going to make a change. And he did that. But I like the way he led this team. They way the defense played, especially at the end, it was encouraging. So, I see much better things in the future. I mean he's a rookie coach, I am a rookie GM, but for a rookie coach I like the way he led this team." * McKenzie, on his Super Bowl pick: "Guess it's got to be…go with everyone else. I got to put my money on Tom Brady."
Beginners Synthesis Processing Real-Time Features AXCsound Composing Ecological Modeling Departments Links Editorial Contribute Back Issues Hans Mikelson [email protected] delay.orc delay.sco Introduction Delay or echo is one of the simplest and most commonly used sound effects. It is also the basis for almost all other effects such as chorus, flanging and phasing. Even digital filtering and waveguide physical modeling is based on delays. This article describes using delays to create echo effects. Using Zak There are two typical ways to use sound effects with Csound. Using the Zak opcodes and using global variables. I always use the Zak system because it is much more flexible. I will describe briefly how to use it here without going into too much detail. The Zak system is like having an array of global variables. These variables are referenced by number instead of by name. There are actually two arrays, one for i-rate and k-rate signals and the other for a-rate signals. Before the Zak system can be used it must be initialized to allocate space for the arrays. This is done using the zakinit statement which is usually placed just after the other initial statements for sample rate, control rate, etc. In the following statement space is allocated for 50 audio channels and 50 control channels. zakinit 50,50 The Zak channels are written to using a statement such as zawm asig, ichannel and read from using asig zar ichannel In this case asig is the audio signal and ichannel would be a number from 0 to 49 which is usually passed as a p-field to the instrument. The 'm' indicates that the new audio signal is to be mixed with the current contents of the channel. This is needed if more than one instance of the instrument writing to the Zak channel is running at the same time for example when a chord is played. If zawm is used it is usually necessary to clear the channel after it is read from. This is done with zacl. I usually create an instrument numbered 99 where I clear all of the Zak channels when I am using the Zak system. I leave this instrument on for the entire duration of the piece or at least as long as I run any instruments using zawm. instr 99 zacl 0, 50 ; Clear the audio channels zkcl 0, 50 ; Clear the control channels endin Simple delays Sound effects are usually written as separate instruments. The sound effect instrument is turned on during the entire time it is used while the instrument generating the sound may be called many times. Below is an example of a simple delay. instr 10 idur = p3 ; Duration iamp = p4 ; Amplitude itime = p5 ; Delay time iinch = p6 ; Input channel ; Declick envelope aamp linseg 0, .002, iamp, idur-.004, iamp, .002, 0 asig zar iinch ; Read from the zak channel adel delay asig, itime ; Delay the signal outs adel*aamp, adel*aamp ; Output the delayed signal endin Figure 1 Flowchart for a simple delay. The signal asig is delayed by itime seconds. A de-click envelope is used to prevent sudden cut-off of the signal which can occur when the signal is delayed. The generating instrument is responsible for producing the non-delayed sound. This instrument produces only a single echo. Following is a call to this instrument which will generate a half second delay at half the volume of the original sound. ; Sta Dur Amp Time InCh i10 0 3 .5 .5 1 A slap-back echo can be created by calling instrument 10 with a loud echo and a short delay time such as ; Sta Dur Amp Time InCh i10 0 3 .9 .1 1 Instrument 11 illustrates how the delay opcode may be used to generate feedback delays or regenerative delays. instr 11 idur = p3 ; Duration iamp = p4 ; Amplitude itime = p5 ; Delay time ifdbk = p6 ; Feedback amount iinch = p7 ; Input channel adel init 0 ; Initialize adel to zero ; Declick envelope aamp linseg 0, .002, iamp, idur-.004, iamp, .002, 0 asig zar iinch ; Read from the zak channel adel delay asig + adel*ifdbk, itime ; Delay the signal outs adel*aamp, adel*aamp ; Output the delayed signal endin Figure 2 Flowchart for a simple delay with feedback. The first step when generating a feedback delay is to intialize adel to zero. The init statement is executed at i-time only. If adel is not initialized Csound will complain when it appears on the right side of the delay opcode. ; Sta Dur Amp Time Fdbk InCh i11 0 4 .5 .5 .5 1 Stereo Delay A short delay of 20-30 milliseconds can be used to give a stereo effect to a monophonic sound. instr 2 idur = p3 ; Duration iamp = p4 ; Amplitude ifqc = cpspch(p5) ; Pitch ioutch = p6 ; Output channel istdel = p7 ; Stereo delay ; Declick envelope aamp linseg 0, .002, 1, idur-.004, 1, .002, 0 ; Generate a plucked tone asig pluck iamp, ifqc, ifqc, 0, 1 ;asig fmwurlie iamp, ifqc, 1, 1.2, .02, .6, 1, 1, 1, 1, 1 aout = asig*aamp adel delay aout, istdel ; Delay 30 msec. outs aout, adel*aamp ; Output stereo endin Figure 3 Flowchart for a stereo effect. This instrument would be called with ; Sta Dur Amp Pitch OutCh Delay i2 0 .25 15000 8.04 1 .030 Multi-tap delays The next instrument can be used to create a multi-tap delay. The delay times and levels are sent to the instrument in tables to make a flexible instrument. instr 13 idur = p3 ; Duration iamp = p4 ; Amplitude itime = p5 ; Delay time iinch = p6 ; Input channel itabt = p7 ; Deltap time table itabv = p8 ; Deltap volume table ; Declick envelope aamp linseg 0, .002, iamp, idur-.004, iamp, .002, 0 asig zar iinch ; Read from the zak channel atmp delayr itime ; Read the delay line it0 table 0, itabt ; Delay time 0 it1 table 1, itabt ; Delay time 1 it2 table 2, itabt ; Delay time 2 it3 table 3, itabt ; Delay time 3 it4 table 4, itabt ; Delay time 4 it5 table 5, itabt ; Delay time 5 it6 table 6, itabt ; Delay time 6 it7 table 7, itabt ; Delay time 7 iv0 table 0, itabv ; Delay 0 volume iv1 table 1, itabv ; Delay 1 volume iv2 table 2, itabv ; Delay 2 volume iv3 table 3, itabv ; Delay 3 volume iv4 table 4, itabv ; Delay 4 volume iv5 table 5, itabv ; Delay 5 volume iv6 table 6, itabv ; Delay 6 volume iv7 table 7, itabv ; Delay 7 volume at0 deltap it0 ; Delay tap 0 at1 deltap it1 ; Delay tap 1 at2 deltap it2 ; Delay tap 2 at3 deltap it3 ; Delay tap 3 at4 deltap it4 ; Delay tap 4 at5 deltap it5 ; Delay tap 5 at6 deltap it6 ; Delay tap 6 at7 deltap it7 ; Delay tap 7 delayw asig*aamp ; Write to the delay line ; Add up the delays and scale by the volumes adel = at0*iv0+at1*iv1+at2*iv2+at3*iv3+at4*iv4+at5*iv5+at6*iv6+at7*iv7 outs adel*aamp, adel*aamp ; Output the delayed signal endin The following tables and instrument call creates a "bouncing ball" echo. f2 0 8 -8 .2 3 .6 5 1 f3 0 8 -8 1 2 .4 6 .1 ; Multitap delay ; Sta Dur Amp MaxTime InCh TapTimTab TapVolTab i13 0 4 1 2 1 2 3 It should be easy to create a variety of multi-tap delays with this instrument. Stereo Delays The next instrument is a simple stereo delay adell delay asigl + adell*ifdbkl, itiml ; Delay the signal adelr delay asigr + adelr*ifdbkr, itimr ; Delay the signal outs adell*aamp, adelr*aamp ; Output the delayed signal This instrument merely uses separate signals and delays for right and left channels. The next step is to add some cross-feedback so that the right channel can feed into the left channel and the left channel can feed into the right asavl = adell ; Save the left delay for cross feedback adell delay asigl + adell*ifdbkl + adelr*ixfbl, itiml ; Delay the signal adelr delay asigr + adelr*ifdbkr + asavl*ixfbr, itimr ; Delay the signal You have to remember to save the left delayed signal before you overwrite it with the left delay opcode. The saved version is then used for cross-feedback. The following call to this instrument implements a ping-pong delay. The sound bounces from one speaker to the other with a ping-pong delay. ; Sta Dur Amp TimL FdbkL XFdbkL TimR FdbkR XFdbkR InChL InChR i15 0 6 .8 .2 0 .8 .2 0 .8 1 2 Figure 4 Flowchart for a stereo cross-feedback delay. Conclusion The small sampling of delay examples I present in this article are by no means exhaustive. Variable delays lead to effects such as flanging and chorus, a filter can be added in the feedback path of a delay to create an analog delay sound. Combining slowly variable delays with filtering and multiple cross-feedback paths can be used to create smooth efficient reverbs. These topics will have to wait for a future article. Bibliography Stewart, David. July 1999. "An Introduction to Delay and Echo." Keyboard. pp. 72-74. Miller Freeman.
In his outstanding. Focusing on the intersection of these three circles he calls the Hedgehog Concept.) He further states, "A culture of discipline is not just about action. It is about getting disciplined people...who engage in disciplined thought and...who then take disciplined action." Since he is vague about how you actually make this happen, why don't we take a crack at it? First, let's define what we mean by "disciplined people." So, we want our organization to be "full of self-disciplined people." The most important such person is the CEO, who exhibits not only self-discipline but ideally also models and practices the other attributes of Collin's "Level 5 Executive" (see Chapter 2). We also need to recruit and/or raise up a host of other disciplined adults. Recruiting disciplined people requires a well-tuned filtering process that not only determines if there is a fit of the candidate's skill sets and passions with the job requirements of the organization but also determines whether the candidate is self-disciplined. We can take a cue as to how to do this from the recruiting process used by the football program of an academically elite Division 3 university with needs for self-disciplined candidates similar to our organization. Their process attempts to determine through hard and soft measurement what the candidates have attempted and accomplished in their previous academic and athletic careers. Naturally, this involves study of high school football statistics and personal interviews by the coaching staff of both the candidates and their coaches and teachers. However, it goes even deeper by looking at less obvious things like the load and difficulty of the courses they took and other activities they pursued and their success. They also listen carefully to the language (including body language) used by the candidate to describe their previous career. They listen for those words and practices (or the absence thereof) that relate positively or negatively to self-discipline and other key character traits--words and practices such as "daily," "commitment," "sacrifice," "dedication," "off-season training activities," "jobs" etc. We can use an analogous approach. We would look for the evidence and language that strongly suggest that the candidate practices the Seven Habits of Highly Effective People codified by Stephen Covey, particularly the following: Once the person is recruited, we have the opportunity to complete the job of building discipline, manifest in both thought and action, through our leadership and with our systems. This requires that we devote almost fanatical attention to modeling discipline, setting clear expectations, reviewing performance, assigning developmental jobs and rewarding disciplined behavior and contributions to a whole culture of discipline. As leaders, we must also step up to the responsibility to weed out those who are either unable or unwilling to rise to the desired level. Perhaps our most important role of all is capturing the wholehearted commitment of the person by helping them realize that their passions align with the mission of the organization. We can then promote their application of the Hedgehog Concept to themselves personally and help them lift their skills and passions to a whole new level. When applied to all of our people, we move the entire organization toward Great. So, a culture of discipline with all of the key people on the Hedgehog Concept bandwagon has tremendous transformational power. Can we achieve it? I believe we can. How? By discipline! Tom Ambler is a Senior Consultant with Center for Simplified Strategic Planning, Inc. He can be reached via e-mail at © Copyright 2013 by Center for Simplified Strategic Planning, Inc. Ann Arbor, MI -- Reprint permission granted with full attribution.
Do you recognize the diagram below? You should, because it represents the productivity of your machine tools. It’s a stability lobe diagram and it summarizes cutting performance in metal-removal operations. This specific diagram was made for milling with a 2-flute carbide endmill in a 40-taper shrink-fit holder in a 7,200-rpm machining center. It was made for a particular radial DOC (in this case slotting) in 7050 T-7451 aluminum. A typical stability lobe diagram. The cutting conditions in red-shaded areas will cause chatter, characterized by heavy vibration, tool damage, poor surface quality and scrapped workpieces. The conditions in the white areas will be stable, producing no chatter. When spindle speed is low enough, less than about 800 rpm in this case, it is possible to take large axial DOCs without causing chatter. As spindle speed increases, the chatter-free axial DOC decreases, in this case to about 0.3 " in the 1,600-rpm range. Any slots deeper than this will cause chatter. As the spindle speed increases further, the permissible axial DOC increases again, but only in specific spindle speed ranges. For example, there are large, stable pockets around 4,800 to 4,900 rpm, around 5,600 to 5,700 rpm and around 6,700 to 6,800 rpm. There will be another pocket near 8,400 rpm as well, but that is higher than the top speed of this spindle. At the best of these speeds, the axial DOC can be more than four times higher than at the worst speeds. The metal-removal rate and the machine productivity can be greatly increased by using the right spindle speed. The stable pockets get taller and wider as the spindle speed increases, which is one of the major factors driving machine tool builders and users toward high-speed machining. A stability lobe diagram like this one can be created for every tool in every toolholder in every machine. I say “like this one” because although all stability lobe diagrams have similar characteristics, details differ for each application because assembled structures differ. Chatter arises from a dynamic interaction between the cutting process and the machine structure. The machine structure is stiff, but not infinitely so. As the cutting tool’s teeth pass the workpiece, deflections between the tool and workpiece leave an imprint, or waviness, on the surface. The following teeth encounter the waviness and experience a variable cutting force, which causes vibration and leaves another wavy surface. Depending on the characteristics of the assembled structure and on the cutting conditions, the waviness can get worse, producing chatter, or it can improve, becoming more stable. Knowing where the “good” speeds are and knowing the permissible DOCs can allow operators to double or triple mrr without any modification of the existing tools, toolholders or the machine. However, nearly every part of the machine structure plays a role in the specific appearance of the stability lobe diagram, including the: • length and diameter of the tool, • number of cutting edges, • tool/toolholder interface, • toolholder style, • toolholder/spindle interface, • drawbar force, • size, material and arrangement of the spindle bearings, • maximum spindle speed, and • torque and power curves. lobe diagram.. The stability lobe diagram controls the performance of milling and many other metal-removal operations. Without the stability lobe diagram, machine tool users are guessing, and guessing represents a huge productivity loss. Trial-and-error programming, selection of unproductive cuts, scrap and damage to the machine are the hidden costs of insufficient information. Competitive shops need stability data for all their tools in all their machines. Stability lobe diagrams are a powerful key to unlocking the full potential of machine tools. (Note: Future columns will examine the information needed to create stability lobe diagrams and how shops can develop them or have them developed.) CTE
OUR HISTORY For 84 years, we were the only statewide agency offering protective services to children until the State of Connecticut developed the Dept. of Children and Families in 1965. At this point, our primary focus shifted to animals. Over the years we have built a staff of caring professionals, recruited a corps of dedicated volunteers, developed a humane education initiative and entered into the public affairs arena.Our first office was in the basement of a building at the corner of Prospect and Grove Streets in Hartford. As the need for our unique services of protection to man and animals grew, it became apparent quite early in our history that expansion was necessary. Within a short period of time we moved our headquarters to 300 Washington Street where it remained for over 30 years. In 1900 our first branch office was opened in New Haven and shortly thereafter branches were established in Bridgeport, New London and Stamford. Today we have full-service branches located in Newington, Waterford and Westport and we operate cat adoption centers at select retail locations throughout the state.In 1959, we moved our headquarters to 701 Russell Road, Newington, CT. In 1998, a new 30,000 square-foot, state-of-the-art shelter and Pet Wellness Medical Center (The Fox Memorial Clinic) was completed and the old headquarters building was demolished. The new facility more than tripled our capacity to care for unwanted and abused pets, and allows the Society to offer improved and expanded services to pets and their owners. The Fox Clinic, officially opening for business in April of 1999, offers top quality wellness care, catastrophic care, spay/neuter services and vaccinations. The fees charged at the clinic are less than the standard prices charged at other veterinary hospitals in Connecticut, as one of Fox’s missions is to provide services for pet owners who cannot otherwise afford veterinary treatment.In 2003, we purchased a newly designed Mobile Adoption Center (MAC) immediately put the vehicle into service. MAC has appeared at events throughout the state for the purposes of promoting our programs, adoptions, and conducting vaccine clinics. During the 2005 hurricane season, MAC served in a disaster response capacity in Gonzales, LA. In 2004, the newly renovated Westport branch re-opened for business. The redesign of the facility triples the capacity to care for pets and also provides for an in-house medical facility, which will further expedite the shelter’s ability to provide immediate medical care to the pets that are searching for new homes. In 2011 we moved into our new Waterford Animal Care and Adoption Center. The building replaced the one that has served the animals in the Waterford community for 40 years. The new animal care center is double the size of the old facility. It includes some of the latest animal care features used to house large numbers of animals with unknown health histories in an intensive housing environment. The cat housing areas now feature condos that are increased in size, separate spaces for the litter pan and colony rooms where cats can enjoy a cage free environment. The indoor/outdoor dog runs now feature plate glass doors and radiant heating which not only make the cages easier to sanitize but also allow the dogs to select the part of the living space that suits his or her comfort zone. In addition, we have crafted a very sophisticated yet uncomplicated air system to provide wholesome fresh air within the facility. This feature speaks directly to maintaining health in any kind of animal housing facility. There are many other features we have added that relate directly to improved animal care and adoption services.Throughout our history, the Connecticut Humane Society has remained at the forefront of the animal welfare industry, enriching the lives of the citizens and animals of our great state. With the powerful human-animal bond at the heart of our work, our organization, envisioned by Ms. Lewis, continues to evolve and expand to serve the needs of our society and to plan for the future.
Manhattan, KS (Sports Network) - The 10th-ranked Kansas State Wildcats attempt to bounce back from a loss earlier this week when they return to Bramlage Coliseum for a Big 12 Conference clash with the Baylor Bears. Baylor took a tumble in the conference standings a few weeks back with a three-game losing streak, but since then it has bounced back nicely with back- to-back wins over Texas Tech (75-48) and West Virginia (80-60). The Bears are now 16-8 overall and just a game out of first place in the conference at 7-4. Following a recent four-game win streak, Kansas State sat alone in first place in the conference standings, but it dropped its recent showdown with rival Kansas, 83-62, to fall into a three-way tie atop the league with the Jayhawks and Oklahoma State at 8-3. The Wildcats have been especially strong at home this season, winning 11 of 12 games at Bramlage Coliseum. Baylor won two of three against Kansas State during the 2011-12 season, including in the Big 12 Tournament Quarterfinals, 82-74. The Wildcats still lead the all-time series, 14-12. The Bears carried just a four-point lead into halftime in their latest game against West Virginia, but they went on to shoot nearly 60 percent from the field after the break as they cruised to the 20-point victory. With star forwards Cory Jefferson and Isaiah Austin battling foul trouble, Rico Gathers came off the bench to post a career-night, shooting 7-of-8 from the field and 8-of-10 from the foul line for 22 points to go along with nine rebounds. Brady Heslip was on fire from 3-point range (6-of-9) en route to 20 points, while Pierre Jackson tallied 15 points and nine rebounds. Baylor has been sound at both ends of the court this season, scoring 75.5 ppg while allowing opponents to net only 63.2 ppg, and only Kansas boasts a better scoring margin in the Big 12 (+12.3). Jackson has been arguably the conference's best playmaker, as he ranks first in both scoring (18.9 ppg) and assists (6.2 apg) while also swiping 1.7 spg. Austin (13.6 ppg, 9.3 rpg, 1.5 bpg) and Jefferson (12.3 ppg, 8.3 rpg, 2.0 bpg) make up one of the most feared frontcourt duos in the nation, while Heslip (8.8 ppg) has drained nearly 40 percent of his 3-point attempts (54-of-136). The Wildcats were out of their element going to Lawrence to face Kansas, as they found themselves down by 18 at the half. It was an uncharacteristically poor defensive effort, as they allowed the Jayhawks to make 48.3 percent of their field goal attempts. Rodney McGruder was the top performer in the setback with 20 points for his seventh 20-plus point effort this season. Angel Rodriguez added 17 points, six assists and three steals, while Will Spradling chipped in 10 points. On the season, K-State's offense is perfectly mediocre by Big 12 standards, ranking fifth out of 10 teams in scoring 68.5 ppg, but it has risen in the ranks thanks to its outstanding scoring defense, which yields less than 60 ppg to its opponents. It is also aided by impressive margins in the rebounding (+4.2) and turnover (+2.5) battles. McGruder shoots nearly 45 percent from the field en route to a team-best 15.2 ppg, while Rodriguez is one of the conference's top floor generals with 105 assists to only 45 turnovers, adding a team-high 30 steals for good measure.
Philadelphia, PA (Sports Network) - Chip Kelly has officially assembled his first coaching staff in the NFL. The new Philadelphia Eagles head coach named Pat Shurmur offensive coordinator, Bill Davis defensive coordinator and Dave Fipp special teams coordinator. was introduced as the 21st head coach in team history last month. He decided to leave Oregon after guiding the Ducks to a 46-7 mark over the past four years. Shurmur heads back to the place where he started his NFL coaching career. He was an assistant under Andy Reid for 10 seasons. He was the Eagles' tight ends coach from 1999-2001 and quarterbacks coach until 2008. Shurmur then was offensive coordinator for the St. Louis Rams for two seasons before becoming the head coach of the Browns. The 47-year-old Shurmur went 9-23 in two seasons with Cleveland. He was fired, along with general manager Tom Heckert, following the 2012 season. One of Shurmur's first tasks will be to work with Kelly and figure out the situation at quarterback. Will the Eagles keep Mike Vick or stick with Nick Foles? Shurmur's experience developing quarterbacks could be the reason Kelly brought him to town. He has worked with Donovan McNabb, Sam Bradford and Brandon Weeden. Marty Mornhinweg was Philadelphia's offensive coordinator for the past seven seasons. He took the same position with the New York Jets last month. Davis brings 21 years of NFL coaching experience to Philadelphia. He most recently served as the Browns' linebackers coach from 2011-12, where he helped mold D'Qwell Jackson into one of the most productive linebackers in the league. The 47-year-old Davis has held two defensive coordinator jobs in the past, first with the San Francisco 49ers from 2005-06 and then with the Arizona Cardinals from 2009-10. He first joined the NFL coaching ranks as a defensive quality control coach for the Pittsburgh Steelers in 1992. Davis will become the fifth defensive coordinator in six seasons for the Eagles. Philadelphia went through Juan Castillo and Todd Bowles last season. Fipp was the assistant special teams coach for the Miami Dolphins from 2011-12. He went to Miami after a three-year stint as the assistant special teams coach for the San Francisco 49ers from 2008-10. The 38-year-old Fipp spent 10 years coaching in the college ranks at San Jose State (2005-07), Nevada (2004), Cal Poly (2001-03), Arizona (2000) and Holy Cross (1998-99). One of the nation's most respected offensive line coaches, Stoutland comes to Philadelphia after serving as the University of Alabama's offensive line coach. He helped the Crimson Tide win back-to-back BCS National Championships. In 2011, his unit allowed the second-fewest sacks in the SEC. Left tackle Barrett Jones and center William Vlachos were both named first team All-SEC. This past season, Stoutland's offensive line featured two first-team All- Americans in Jones and Chance Warmack. Stoutland will try to turn around the offensive line in Philly. Injuries plagued the offensive line for the Eagles last season, starting with left tackle Jason Peters' Achilles injury.
No. 20 Cal Lutheran Completes Epic Comeback Over No. 13 Redlands THOUSAND OAKS, Calif. - The maximum capacity crowd at the newly constructed William Rolland Stadium will never forget the first-ever home night game in Cal Lutheran football history. Trailing 24-0 at the half No. 20 Cal Lutheran completed its comeback with 16 seconds left to defeat No. 13 Redlands, 28-24. Box Score: CLU 28, UR 24 - F Cal Lutheran climbed back to within a 24-21 deficit with just over three minutes left in regulation. Redlands elected to punt facing fourth-and-short near midfield and pinned the Kingsmen down at their own two-yard line. "We were hoping to kick a field goal to tie, but thinking touchdown to win it," said Head Coach Ben McEnroe. Quarterback Jake Laudenslayer put his coach's thoughts into action as he engineered a 10-play, 98-yard drive. He capped it off by plunging in from one yard out in the final seconds to give Cal Lutheran a four-point lead with only seconds remaining. "I have never seen anything like that," said McEnroe. "You learn so many life lessons in this game; today they learned you keep fighting as long as you have a chance. That's what we built this program on and it's great to see it come to fruition." Most of the CLU contingent was resigned to the fact that Redlands dominated the first quarter rushing for 167 yards and two touchdowns. CLU trailed 17-0 after one frame when the Bulldogs conducted a nine-play, 80-yard drive and scored just 10 seconds before halftime to score a morale busting touchdown and take a 24-0 lead. "We were embarrassed at our first half performance," said McEnroe. "We told them 'you are going to lose our (SCIAC) championship trophy if we don't start focusing on one play at a time.'" After some stringent second half defense and 28 unanswered points on offense, Cal Lutheran can rest easy for at least another week. UR quarterback Chad Hurst had 10 carries for 86 yards and a touchdown on the ground to go along with 97 yards and a passing touchdown in the first half alone. The CLU defense then held Redlands to only 67 total offensive yards in the second half forcing five punts, a missed field goal and a final play interception by Luis Villavicencio in the end zone to preserve a victory. CLU opened the second half converting a pair of third downs on its first drive en route to its first points courtesy of a Daniel Mosier touchdown run. Each of Cal Lutheran's four second half touchdown drives were nine plays or more and 61 yards or longer. Cal Lutheran went to a hurry-up, aerial attack more frequently after rushing for negative yardage in the first half. Laudenslayer finished 25-of-42 for 313 yards and found Eric Rogers for both passing touchdowns. "We put the game in (Laudenslayer's) hands. We wanted to be more balanced but then we had to rely on him." He threw for over 200 yards in the second half, but on the final drive a 26-yard run down to the nine yard line and his final rush attempt of the game were key plays in the game-winning possession. Laudenslayer found nine different targets, including himself, led by Rogers who finished with six catches for 120 yards. Cal Lutheran (2-1, 1-0 SCIAC) will host Whittier (1-2, 0-1 SCIAC) on Saturday, Oct. 8 at 1 p.m.
It's still Mercilus in one but Brockers goes just one pick before at #18 to the Chargers. Coples is long gone at #12 to Seattle and DeCastro never gets by the Cowboys at #14. Looks like we can begin a poll as to who likes Brockers over Mercilus or vice versa. Either way it comes out we get ourselves a good ball player. Mock Draft 7.0 The draft starts at pick four, which direction do the Browns go? Wes Bunting April 18, 2012 Share. 17. Cincinnati Bengals: Alabama CB Dre Kirkpatrick Kirkpatrick adds a physical element to the Bengals secondary. He’s got the ability to press off the line, make plays in zone and consistently tackle the ball carrier. Plus, he has the size to handle some of the bigger wideouts in the AFC North. 18. San Diego Chargers: LSU DT Michael Brockers Brockers is as talented as any defensive lineman in the draft and is capable of maturing into a real game changer up front. He’s got the ability to play all over the Chargers defensive line early and offers them a lot of versatility in their 34 front. 19. Chicago Bears: Illinois DE Whitney Mercilus The Bears love to go defense in round one and getting a talent like Mercilus in the middle of the first has to be considered a steal. There are some rough spots to his game, but he adds another pass rushing threat to the Bears defense on third down.. ICONMartin could be a first round surprise.ICONMartin could be a first round surprise.: Oklahoma State QB Brandon Weeden If the Browns are unable to get their QB in the top ten, don’t be shocked to see them take their second pick in round one and nab their QB of the future.: Wisconsin OL Peter Konz Konz has the ability to play both center and guard at the next level and gives the Steelers a real upgrade inside. 25. Denver Broncos: Broncos a guy they can win with inside. 26. Houston Texans: Baylor WR Kendall Wright Wright might be the draft’s top vertical threat and has the ability to open up a lot of options for the Texans offense down the field.. 28. Green Bay Packers: Boise State LB Shea McClellin He’s got the ability to play both inside and out for the Packers and brings the kind of motor, intensity and relentless as a pass rusher they are looking for. 29. Baltimore Ravens: Alabama ILB Dont’a Hightower Hightower is a “plus” run defender who can be used as a blitzer inside or a pass rusher off the edge. Is the kind of talent the Ravens could use inside as an eventual replacement for Ray Lewis.. 32. New York Giants: South Carolina CB Stephon Gilmore Getting a tall, physical defensive back who displays a natural feel in zone and can go get the football makes some sense for the Giants at the back end of round one.
His Mother, whom I loved to distraction, began her schizophrenic descent to hell when he was nine months old. She left our lives and the country when Noah was three, or there abouts. Since then, I’ve had lovers, many lovers. My body has exulted, my mind has been seduced, but my heart keeps to itself. “Dad, is she your girlfriend?” “It’s our first date, Noah.” “Maybe she’ll become your girlfriend like if it goes well?” “Maybe.” I already know it’s highly unlikely. It may be a roll or two or three, knotted in her bedsheets or mine. It may be wonderful sex ending in a friendship. But nothing more. Or less. “You look really good, dad, in that shirt. That’s the one I like found, right?” “Yup.” “I have good taste, huhn?” “Sure do.” Noah and I actually went out shopping for a pair of pants and shirt…for me. Every piece of clothing I own is older than my son, so I was due. Noah mixed and matched and brought me items while I tried them in the changing booth. The three salesladies were totally taken with him. As I go down the stairs, heading for my date, I hear Noah whispering to his babysitter. “Dad has a date, and a new shirt…” I don’t hear the rest. Since I’ve been single with child , women have come into my life and moved on…generally to other men with whom they begin building something lasting. Several of them are now affianced. One of those ladies made it a point of showing me the rock on her finger before she invited me in for a last escapade one morning before she moved in with her future husband. In the quiet, beautiful moments after, as her breath blew eddies across the hair on my chest, she told me he was the love of her life. She hoped to have a kid, as beautiful as Noah. I told her she would be a wonderful mom. In fact, in the brief months of our frequentation she was auditioning for precisely that role in my life. But having a child actually spring from her loins became her true wish. As I left her apartment for the last time, she thanked me for making her realize what she really wanted. I’m good at that… fertilizing other’s arid soils with intent and desire. Other’s reap the fruit. Three of my recent lovers have become pregnant. No, no, not from me. I’m the way station, the hub-airport that connects to the desired destination. Of course, like any port I collect some of their riches before they move on. The other day, I met one of these ladies, as Noah and I strolled down the street. She was with her husband and 9 month baby. If I was still Catholic I would have said they looked like the Holy Family, but since I’m now lapsed into paganism, I say nothing. They seemed happy. She introduced me to the father, as a dear friend. When she and I kissed each other’s cheeks her smell overwhelmed me with visions of her nakedness. She was wonderfully fleshy and moist. And strangely sad, afterwards. As they walked away, Noah pulled my hand. “Dad, wasn’t she like your girlfriend?” “Yeah, a couple of years ago.” “Does it like make you feel bad that she like has a baby and a guy like that she married?” “No, not all.” Well, perhaps a little. “They looked happy, didn’t they?” “I guess so, yeah, dad.” I like to think I contributed to her blooming, in an odd, deflected way. Now, as I head to my “date” in my new shirt, I wonder how much I still feel like “contributing”.
For us, France was the goal, a tall order for only seven days. From the Mediteranean Riviera in the South to the Atlantic coast in the West and mountains in the East, there's more than enough to fill itineraries of any length. There was but one place for us to begin, the City of Lights, Paris. Brimming with culture, art and cuisine, the capital city could keep visitors busy for weeks simply touring museums and art galleries. Must see sites including the Eiffel Tower, Arc de Triumph, Cathedral of Notre Dame of Paris and the Louvre are always packed through June and July. Worthy of the wait, however, is a trip to the top of the Eiffel Tower as the sun sets, arriving at the pinnacle far a dazzling light show of a twinkling cityscape. If the opportunity presents itself don't forget that all state run museums, including the Louvre, are free to the public on the first Sunday of every month; but get in line early to avoid spending all day in queue. A sprawling city, Paris boasts an effective and easy to use public transportation system dominated by an extensive subway system aided by a suburban rail network reaching outlying neighborhoods. Several international rail stations lie on each side of the city dispatching trains in every direction. In less than an hour, train travelers can arrive in Reims, capital of the famed Champagne region. Surrounded by vineyards in villages throughout the region, the city of Reims is home to several Champagne houses and cellars, many within walking distance of city center and others just a short drive by private car. Large and small producers can be found including headquarters of the world renowned G.H. Mumm. Known locally as Champagne 'caves,' chalk lined wine cellars rest in the cool darkness of tunnels more than 40 feet below ground. The largest of Reims' producers, Mumm houses 25 million bottles of champagne dating back to the 1860s in an astonishing 16 miles of subterranean cellars. Each tour ends with a tasting of the local product. Between tours and tasting, be sure to stop by the hidden treasure of General Dwight Eisenhower's 'war room' and home to the German capitulation signing. Tucked away in a side street with little signage and even less commercial marketing, this museum tells how Eisenhower's headquarters came to be the site of Germany's unconditional surrender. Outer rooms have been transformed into exhibits displaying war relics and showing Reims' role in the war while the war room remains untouched from the day it came into fame. Maps wallpaper the room marking troop advancements throughout Europe while smaller charts kept the war cabinet up to date on movement in the Pacific theater. Trains from Reims traveling west will almost always pass through Paris but be prepared for a complicated connection. With several stations surrounding the city, to go from east to west through Paris, travelers must walk to the subway and grab a ride toward another train station before finding their connection. Once on the right track, a few hours westward brings us closer to the Atlantic into the region of Normandy. A beautiful land flourishing in agriculture, Normandy offers a respite from busy cities; but for American citizens and others from Allied nations, Normandy serves as a somber pilgrimage to honor the sacrifices of an entire generation. June 6, 1944 came to be known as D-Day, a gloomy morning coming on the heels of a raging storm saw nearly 1,000 warships descend upon a 30-mile stretch of beach for a foothold in Hitler's Atlantic Wall. A museum in Caen offers a historical look at war torn Europe along with a special exhibit dedicated to the largest invasion force in history. Public transportation to the landing beaches is nearly non-existent with buses reaching only one beachhead. A guided tour, easily arranged by the local tourist information office, provides guests with a detailed account of the historic battle against a tyrannical empire. The heroic acts of Allied invasion forces resulted in the successful capture of German occupied territory at the cost of nearly 10,000 Allied casualties. A journey to the American Cemetery at Normandy is a poignant reminder of freedom's staggering price tag. On 172 acres, the graves of 9,387 American soldiers lie atop a bluff in sight of the beaches they once fought for. Soldiers lost in combat throughout the European campaign rest on this site, most of who were involved in the landing operation. Among the slain are three recipients of the Congressional Medal of Honor, four women and 307 unknowns. Interred in the peace and serenity of this site are residents of all 50 states and the District of Columbia. Side-by-side can be found one father and son and 33 pairs of brothers. To experience the magnitude of this memorial, wandering the grounds and overlooking the white headstones, is a moving testament inspiring gratitude for sacrifices made by others. Matt Shinall is the business reporter for The Daily Tribune News.
SAN Road in Liberty Station, trying to write her "mildly audacious Momentum" blog. She said she had writer's block and so instead of trying to force the words, she just started observing the customers coming into the coffee shop. Among the typical Starbucks clientele ordering their lattes, three people stood out to Maloney, she said. The first man was homeless and asked to put up his artwork. The second person was a man who was very upset over his drink that was made incorrectly. The third person was a teenage boy looking for a job. "Time after time, Gieselle handled the situations with absolute grace. She never showed any emotion, she was just being pleasant and friendly. She also kept in mind all her other customers," said Maloney. "I actually had this eureka moment as I was writing, or trying to write and I was staring at my screen and cursor and I said 'this is it.'" Maloney coaches people and businesses about how to be a leader and instantly recognized that Gaines was a leader in her store. "She had no idea I was there, that's the kind of leader she is," Maloney said. Maloney went up to Gaines and told her she was going to write her blog about Gaines' leadership. Several days later, Gaines received a call at her Starbucks store. "We were outside setting up little samples when one of my partners, Brent, came out and had this look on his face. His eyes were really wide and he said 'The CEO is on the phone.'" Gaines said. "I didn't believe it, so I took the phone and said 'Hi thank you for holding, this is Gieselle. How can I help you?' And he said, 'Gieselle, Howard Schultz.'" "My eyes popped out and I just said 'good morning,'" Gaines explained. Gaines said Schultz called just to thank her for her leadership and invite her to Houston for the company's annual conference where she would be honored for her performance. "I have a greater responsibility but I'm not going to change who I am, and I'm not going to change how I approach my business. If anything I'll do it better than I did yesterday," she said. "It's all about human connection. It's about making an impact. We make a promise of a perfectly made drink and that's what we strive to be--consistent, but it's about more than that," she said. As for Maloney, whose blog started it all, "when I found out Howard Schultz had read my blog, I felt like I died and gone to heaven. He is the epitome of a good leader."
Highlights A collection of news and information related to Callaway Golf Company published by this site and its partners. Displaying items 1-7 of 7 » View dailyamerican.com items only: Energy Resources, Brunswick Corp., Exxon Mobil Corporation, Dunkin' Brands, Entergy Corporation Grant's Golf Blog: Gary WoodlandKWCH 12 Eyewitness SportsGary Woodland is the epitome of the modern golfer. Big, strong, athletic, handsome and young. He actually gave up playing basketball for a future on the links. The Topeka native quit basketball at Washburn for a chance to play golf at KU - a move that... Tags: World Cup (golf), Sports, Arnold Palmer, Gary Woodland, PGA Tour Sports Illustrated names San Diego's richest athletes SAN DIEGO -- San Diegans make up 10 percent of the top-50 money-earning American athletes over the past year, Sports Illustrated magazine reported Monday. The five local members of SI's "Fortunate 50'' are: - golfer Phil Mickelson (No. 2) - baseball... Tags: NASCAR, Periodicals, Arian Foster, Sports, Baseball Callaway Golf teams up with Justin Timberlake CARLSBAD, Calif. -- Singer, actor and low-handicap golfer Justin Timberlake was named a creative director Thursday for the Carlsbad-based Callaway Golf Co. The golf equipment manufacturer wants Timberlake to promote the 2012 RAZR line of equipment,... Tags: Justin Timberlake, PGA Tour, Hospitals and Clinics, Health, Golf: Lifestyle and Leisure, Sports, Toshiba Corporation, Mark Wiebe, Golf A smarter way for government to create jobs In his Sept. 8 speech on jobs, President Barack Obama repeated the conventional wisdom that small businesses create most new jobs. Like a lot of conventional wisdom, this does not fully capture the real dynamics of the situation. A 2010 article... Tags: Barack Obama, IBM, Entertainment, Whole Foods Market, Finance Volunteer For This Year's Boeing Classic!Staff reporterMore than 1,000 volunteers helped make the Boeing Classic a big success in 2008. Our volunteer's "can do" attitude, energy and passion serving our many committees is truly appreciated. In exchange for your time and volunteer fee (valued at over $275), you... Tags: Boeing Co. Apr 25, 2013 |Story| Chicago Tribune Mar 14, 2013 |Story| KWCH Jul 16, 2012 |Story| KSWB-LTV Dec 15, 2011 |Story| KSWB-LTV Aug 19, 2011 |Story| Daily Pilot Nov 7, 2011 |Story| Baltimore Sun Jul 13, 2009 |Story| KCPQ-LTV Original site for Callaway Golf Company topic gallery.
Highlights A collection of news and information related to Matt Bowen published by this site and its partners. Displaying items 1-12 of 58 » View dailyamerican.com items only 1 2 3 4 5 Next > Everything at NFL scouting combine a test Twelve minutes. Fifty questions. Go. Another test? That's right, rookie. Sit down and grab a pencil. Weave your way through as many multiple choice questions as you can and turn in the test when the time is up. The Wonderlic exam at the NFL scouting... Tags: Football, Sports, New York Giants Pressure better work deep in red zone.... Tags: Jermichael Finley, Donte Whitner, Aaron Rodgers, Green Bay Packers, Jordy Nelson: Lovie Smith, New Orleans Saints, Paul Edinger, Minnesota Vikings, New York Giants Cobb poses problem for Bears Packers' wide receiver Randall Cobb was viewed as a creative offense weapon and a top special teams talent when he came out of Kentucky. However, the second-year pro has developed quickly into one of Aaron Rodgers' top options in the passing game this... Tags: Chicago Bears, Greg Jennings, Football, National Football League, Detroit Lions: Charles Woodson, Minnesota Vikings, Green Bay Packers, M.D. Jennings, Christian Ponder Redskins option trouble for Seahawks The... Tags: Employees, Career and Workplace, Chris Clemons (football, defensive end), Washington Redskins, Seattle Seahawks: Alshon Jeffery, Jay Cutler, Matt Forte, Mike Tice, Green Bay Pack: Jay Cutler, Lovie Smith, Minnesota Vikings, Aaron Rodgers, Green Bay Packers: Victor Cruz, NFL Pro Bowl, Cincinnati Bengals, Tony Boselli, San Diego Chargers Lions will try to make hole in Bears zone.... Tags: Chicago Bears, Atlanta Falcons, Calvin Johnson, Football, National Football League: Earl Bennett, Jared Allen, Jay Cutler, Chicago Bears, Jasper Brinkley: Alshon Jeffery, Earl Bennett, Jay Cutler, Animal Attacks, Lovie Smith Feb 23, 2013 |Column| Chicago Tribune Jan 11, 2013 |Column| Chicago Tribune Dec 18, 2012 |Column| Chicago Tribune Dec 13, 2012 |Column| Chicago Tribune Jan 4, 2013 |Column| Chicago Tribune Jan 5, 2013 |Column| Chicago Tribune Dec 15, 2012 |Column| Chicago Tribune Dec 13, 2012 |Column| Chicago Tribune Dec 27, 2012 |Story| Baltimore Sun Dec 27, 2012 |Column| Chicago Tribune Dec 6, 2012 |Column| Chicago Tribune Dec 29, 2012 |Column| Chicago Tribune Original site for Matt Bowen topic gallery.
WASHINGTON — Since faring poorly among Latino voters at the polls in November, the GOP has embraced the issue of immigration reform with a new urgency. In reality, though, the Republican disconnect with Hispanics is about much more than immigration. For starters, while immigration is an oft-covered topic, it’s not the top issue on Latino voters’ priority list. In a pre-election Pew Hispanic Center survey released last fall, a majority of Hispanic voters said education, health care and jobs/the economy were “extremely important” to them. But only 34 percent said the same about immigration. Now, this doesn’t mean that from a political standpoint, Republicans should not focus their energy on immigration reform (more on that in a moment). What it does mean is that if they want to improve their standing among Latino voters, they also need to address other fiscal and social issues in a way that the growing Hispanic share of the electorate can agree with. That’s easier said than done. Why? Because there is a significant gap between some pillars of the Republican platform and the over-arching worldview of Hispanics. Take the call for limited government, a cornerstone of the GOP’s political message. In a Washington Post-Kaiser Family Foundation survey taken last summer, 67 percent of Hispanics said they favor a “larger federal government with many services” over a “smaller federal government with fewer services.” Republicans expressed a dramatically different viewpoint in the poll, with 80 percent saying they prefer a “smaller federal government with fewer services.” What about another familiar GOP talking point: lowering federal spending and the deficit? In the same poll, 68 percent of Hispanics said it is more important to “increase federal spending to try to create jobs and improve the economy” than to avoid “a big increase in the federal deficit.” Seventy-three percent of Republicans said the latter is more important. Indeed, these are philosophical disagreements the GOP must confront. But none of this is to say Republicans shouldn’t also help spearhead an immigration reform effort. If they want to revamp their image among Hispanics, Republicans can’t afford to stand on the sidelines. According to 2012 exit poll data, nearly eight in 10 Hispanic voters said they support a path to legal status for for most illegal immigrants working in the country, something a bipartisan Senate working group proposed on Monday. And it’s not just Hispanic voters Republicans risk further alienating; the exit polls also show a majority of all voters (65 percent) said they support a path to legal status. In 2012, the Hispanic share of the electorate went up, while the GOP presidential nominee’s share of their vote dropped, compared to 2008. That should come as troubling news to a party that is licking multiple wounds after a disappointing cycle. But even as the GOP turns over a new leaf on immigration reform, it is still playing catch-up with Democrats. Already, President Obama has used the power of executive fiat to prevent the deportation of certain young illegal immigrants. By comparison, Romney, the GOP’s 2012 standard-bearer, adopted a hard-line posture on immigration and border security in the primary that cost him dearly in the general election. Embracing immigration reform is one step the GOP can take toward improving its performance among Latino voters in future elections. But it’s not even close to a cure-all.
When the Colorado volleyball team lost senior team leader Kerra Schroeder to a season-ending knee injury on Aug. 25, the Buffs knew they didn't have one player capable of filling those shoes. "We had a very candid team meeting after the first weekend and we decided that this has to be a full team effort," CU head coach Liz Kritza said. So far, the Buffs have managed to get that effort. On Saturday, the Buffs defeated Cal State-Bakersfield and Norfolk State in the Air Force/Colorado Invitational at Coors Events Center. After a five-set battle with CSU-Bakersfield, the Buffs swept Norfolk State. CU finished non-conference play with a 10-2 record, its best start since 1998 (17-2 start). Nikki Lindow and Neira Ortiz Ruiz have been particularly important for CU. Lindow has become more of an on-court leader in Schroeder's absence, while Ortiz Ruiz is becoming quite a force on offense. On Saturday, that duo combined for 47 kills and 16 block assists. Lindow played like a leader should, posting 25 kills and 13 block assists. "Nikki Lindow did step up (after Schroeder's injury)," Kritza said. "She's filling a natural leadership role and she should. She has the most playing experience of anybody on the floor. She's responding very well." So is Ortiz Ruiz. Prior to this week, she had just two career games with at least 10 kills and a career-high of 11. She posted 14 kills in Thursday's win at Air Force, followed it up with 12 against CSU-Bakersfield and then 10 against Norfolk State. She's the only player on the team this year with three consecutive double-digit kill games. "I'm not Kerra. Kerra is great," Ortiz Ruiz said. "But, yeah, the team needs players to work. I'm willing to do that and I'm willing to bust my guts in practice to help us win and look good." Lindow has been quite impressed with the emergence of Ortiz Ruiz, saying the team has "full confidence in her." Throw in the calming presence of reserves of Michelle Miller and Ana Pantovic off the bench, and the Buffs are doing what they can to replace everything Schroeder brought to the court. It has shown in the results, as CU has won six in a row while building team cohesiveness. They needed that cohesiveness on Saturday to get past scrappy CSU-Bakersfield and Norfolk State. "It's pretty nice," Ortiz Ruiz said of the two wins. "I think we did a really good job in getting into and being together. The two games (Saturday) were opportunities for us to see we can be together and be a team." Against CSU-Bakersfield (2-9), the Buffs had to battle more than expected before taking out the Roadrunners 25-19, 23-25, 19-25, 25-13, 15-13. After falling behind 2-1, the Buffs played their best in the final two sets to pull out the win. Lindow had 14 kills and nine block assists to lead the Buffs. Ortiz Ruiz had 12 kills and Alexis Austin and Kelsey English added 11 each. Nicole Edelman had 41 assists for the Buffs. "I think that for a team that's comprised of the youth that we have, being able to pull out five-set wins is really important," Kritza said. "It kind of shows what kind of character we have, what kind of leadership we have. When players struggle, they're going to have to be able to work out of those doldrums. They've got to be able to bring themselves back up. That's what that five-set match did; it allowed players to have some confidence." CU carried that confidence into the second match, a 25-16, 25-22, 25-16 victory against Norfolk State. The Buffs held the lead the entire first and third sets against the Spartans (2-11). After falling behind 6-0 in the second set, the Buffs rolled in that one, too. Lindow and Ortiz Ruiz dominated play against the Spartans, combined for 21 kills and only two errors in 35 attack chances (a remarkable .543 clip). "Our goal was to stay consistent and not err a lot," Lindow after the Norfolk State match. "The passing was excellent, (Edelman's) sets were great and we were hitting high, hitting our spots. It was nice to see the efficiency go up a lot more. We definitely need to continue that in practice the rest of this week." Next up for the Buffs is Pac-12 Conference play. CU will open the conference slate on Wednesday with a home match against Utah. The game is slated for 8 p.m. and will be televised on the Pac-12 Mountain regional network. Notable CU opened this tournament with a five-set win at Air Force on Thursday. ... CU has its first 10-win season since 2008 (13-16). ... CU's six-game win streak is its longest since a 6-0 start to the 2008 season. ... CSU-Bakersfield dropped to 1-13-1 all-time against the Pac-12, including 0-3 season. The Roadrunners were going for their first win against a Pac-12 team since beating Arizona in 1991. ... CU had never faced either team before Saturday. Follow Brian on Twitter: @BrianHowell33. Article ID:
Five Things to Do When Your Mate Can't Qualify For a Mortgage byJan 30th 2011 10:05AM What's a couple to do when one partner can't qualify for the mortgage? Take these five steps:1. No Blame, But Take Action! It's an easy trap to fall into, the credit-worthy partner becoming upset that their dream home or the chance to save thousands might slip away through no fault of their own. In this way, a mortgage glitch can easily snowball into blame-gaming, name-calling, finger-pointing relationship awfulness. If you get word that your mate can't qualify for the loan you seek, take a deep breath and discuss the situation. Stay action-oriented and plan your approach to overcoming this obstacle to keep the conversation constructive, and avoid resentment and hurt. 2. Diagnose and Fix on the Quick Consult with your mortgage broker about what, specifically, is stopping your partner from being able to get the loan, and whether the issue is fix-able. If the issue is that your mate has been out of work for 20 of the last 24 months, you might not be able to do much to remedy that particular issue besides offering an explanation to the lender. However, if the issue is that her credit score is 15 points below where it needs to be, your mortgage pro can likely offer some quick fixes (e.g., pay these two bills down by $X, then have your mortgage broker or banker do a 72-hour rapid rescore) to get the whole loan process back on track within a week's time. 3. Qualify On Your Own It never hurts to get a basic understanding of your solo purchasing power; you might find that you are able to qualify for the home on your own. If you go this route, and you want the home to be jointly owned, most lenders will now allow a non-borrower (i.e., someone who didn't go on the loan) to be added to the property's title at closing. But talk with a local real estate, family law or estate planning attorney before you add your mate to title; if you break up, you could be stuck with 100% of the loan obligations, and only half of the rights to the property. 4. Get a Co-Borrower Many lenders will allow a relative to be a "non-occupant co-borrower," newfangled lingo for the old-fashioned co-signer. If you've encountered an opportunity that truly is too good to pass up, you might be able to qualify -- as a couple or on your own -- to buy with the help of your mom, dad or dear Aunt Gertie. Check with your loan broker or banker. 5. Wait and See In many real estate markets, home values are headed downward. This less-than-fabulous news for sellers is actually welcome news for home buyers, who may have many months or even a number of years to take advantage of today's affordability by even the most optimistic of estimates. No need to rush into this major commitment, for which your finances may not quite be sufficiently mature. If your sweetie can't get a loan right now, get a clear set of action steps from your mortgage professional including the things that need to happen for him or her to pass mortgage muster. Need to be on the job longer? Got lots of credit rehab to do? Need to boost that income? All doable, with time. Luckily, you've got some. So, to steal a phrase from our friends across the pond, "keep calm and carry on."
SECTION 9 GYMNASTICS School W L Pct. Kingston 1 0 1.000 Wallkill 1 0 1.000 New Paltz 2 1 .667 Roosevelt 0 3 .000 —— MHAL BOYS BASKETBALL Division I School (Lg rec. /Pts.) W L Pct. Continued... New Paltz (4-1/4) 2 1 .667 Roosevelt (4-1/4) 2 1 .667 Saugerties (3-1/2) 2 1 .667 Wallkill (0-4/0) 0 3 .000 Division II School (Lg rec./Pts.) W L Pct. Marlboro (4-0/6) 3 0 1.000 Red Hook (3-1/4) 2 1 .667 Highland (3-2/2) 1 2 .333 Rondout (2-3/0) 0 3 .000 Continued... Division III School (Lg rec./Pts.) W L Pct. Ellenville (4-2/7) 3 0 1.000 Spackenkill (4-0/5) 2 0 1.000 Onteora (1-6/2) 1 3 .250 Dover (0-6/0) 0 3 .000 Division IV School (Lg rec./Pts.) W L Pct. Pine Plains (6-0/12) 6 0 1.000 Coleman (4-4/7) 3 2 .600 Continued... Rhinebeck (4-5/7) 3 4 .429 Millbrook (3-7/5) 2 4 .333 Webutuck (0-6/0) 0 4 .000 —— MHAL GIRLS BASKETBALL Division I School (Lg rec./Pts.) W L Pct. Wallkill (5-0/8) 3 0 1.000 Roosevelt (4-1/4) 2 1 .667 Saugerties (2-4/2) 1 2 .333 New Paltz (0-5/0) 0 3 .000 Division II School (Lg rec./Pts.) W L Pct. Red Hook (6-0/7) 3 0 1.000 Marlboro (3-2/4) 2 1 .667 Highland (2-3/2) 1 2 .333 Rondout (0-4/0) 0 3 .000 Division III School (Lg rec./Pts.) W L Pct. Onteora (5-2/8) 4 0 1.000 Spackenkill (3-2/4) 2 1 .667 Ellenville (2-5/2) 1 3 .250 Dover (0-6/0) 0 3 .000 Division IV School (Lg rec./Pts.) W L Pct. Coleman (7-0/9) 4 0 1.000 Millbrook (5-2/6) 2 1 .667 Rhinebeck (1-3/2) 1 2 .333 Pine Plains (0-6/0) 0 4 .000 >.
This morning started out nice and early. Perhaps a little too early? We were on the subway by 7:15am, en route to meet our running partners in Central Park! This was my first time running in Central Park, and it was absolutely amazing. SO MUCH snow, and it made for such a gorgeous backdrop. Laura, Casey, and I met up with Theodora and Ashley for our run. I met both girls back in Chicago in the fall, and this was such a fun way to catch up with them while enjoying a run. There were SO many runners out in Central Park – it was amazing! And holy hills, I was NOT expecting the loop to be so difficult. We ended up just sticking with the six mile loop, and then walked the 2 miles back to our hotel to make it an even eight. One of the best parts of blogging for me is that I truly feel like I have friends all over the country. Many thanks to Ashley and Theodora for a fabulous run – and one I definitely wouldn’t have done if I didn’t have running buddies to get me out of bed. After we showered and got ready, we went off in search of the perfect NYC bagels. We found them at Ess-a-Bagel! My friend Casey had told me they had tofu cream cheese, which sounded to good to be true. Thankfully, she was correct! I got a giant crusty pumpernickel raisin bagel with raisin walnut cream cheese. Exactly what I hoped it would be. I would like to eat about ten more of these. After breakfast, we headed south on foot to explore… We made our way to the Union Square Greenmarket – a farmer’s market I had heard was a good spot to check out. The market was really great! So many vendors for this time of year, and some selling some really interesting things. The weather may be a bit cold, but the snow just makes everything soooo much more beautiful. I’m really glad we stopped by the market – very cool. I can only imagine what it’s like in the summer! Lunch was kind of a FAIL. The place we were planning to go to (Dirt Candy) turned out to only be open for dinner – WHOOPS. So we improvied and ended up at a new vegetarian spot called Purume. The food was kind of meh. It was all nice and fresh, but not enough salt or flavor. Lots and lots of steamed veggies, and some scary seaweed that I didn’t end up eating – too fishy. We made up for lunch by finishing out our afternoon at Tu-Lu’s Gluten Free Bakery. Laura and I eat got a sampler of 3 mini cupcakes – they were so good! And Laura let me snag a few bites of her mint chocolate roulade cake. Hard to believe it was all gluten-free! Mini cupcake of the day – chocolate with pistachio frosting. Heaven. There may or may not have been a to-go box involved… The boots I brought with me for the trip gave me horrific blisters yesterday, so I bought a new emergency pair of rubber boots on today’s outing. Definitely money well spent – there is slush and snow everywhere!! I couldn’t put my blistering boots back on this morning, and sadly I think my ballet flats may have walked their last journey. Looking a little sad from all the slush. Now we are back at the hotel getting ready for our evening adventures. Pure and Radio City tonight!
Weekend Blogscan 15-03-2008Posted by Greg at 09:05, 15 Mar 2008 A few things to keep you busy over the weekend... - Michael Tymn is "Debunking the NDE Debunkers" on his blog. It's like a debunking vortex. - Curious Expeditions takes you on a tour of bioluminescence, in "Living Lights: A Glowing Compendium". - Cracked riffs on "Seven Insane Conspiracies That Actually Happened". - Robert McLuhan says there are "No Shortcuts" to properly understanding the argument for life after death. - Loren Coleman is giving regular updates on his "Pinky Expedition" at Cryptomundo.com. - Charles Eisenstein goes in search of "The Original Religion" for Reality Sandwich. - The latest eSkeptic newsletter features "The Hydrogen Economy Savior of Humanity or an Economic Black Hole?", by Alice Friedemann. - Filer's Files #11 for 2008 has the latest ufological roundup. - Greg Bishop continues his discussion about "The (UFO) Aviary" in part two of his UFO Mystic series. Part one is here. - The latest Skeptico podcast features Dr Marc Beckoff discussing animal consciousness and emotions. Enjoy! 22 November 2004 5 days 13 hours The article starts out saying that "Unlike gasoline, hydrogen isn’t an energy source — it’s an energy carrier, like a battery." Now that is nonsense, in that gasoline is not an energy source either. We have to pump or dig it out of the ground, as oil or coal. Then we have to invest serious amounts of energy to make gasoline. And yes you can make gasoline from coal. Like hydrogen, oil and gas and coal are energy sinks. ---- wherever you go, there you are 1 May 2004 1 year 31 weeks Hi earthling, I think the key difference that the insiders consider is that gasoline derived from crude has about a 10 percent energy overhead getting it out of the ground and into your tank. (That is one of the reasons that 'peak oil' is scary, as it starts bloating that overhead.) On the other hand, hydrogen is so energy expensive, it is essentially break even on whatever you start with. Hence, the battery analogy. I'm not sure whether it is worse than ethanol, but in any case, it doesn't solve anything, except maybe displacing pollution to unpopulated areas. Jet fuel from coal is my favorite solution. We have centuries of the stuff and the plants can be put almost anywhere near the (remote) coal fields.
Drew Wolitarsky surpassed former Taft standout and current St. Louis Rams receiver Steve Smith by catching his 272nd career pass in Canyon's 42-9 rout Friday night of visiting San Luis Obispo (6-5) at Harry Welch Stadium in a Southern Section Northern Division first-round playoff game. Wolitarsky, a four-year starter for the Cowboys, broke the record with a 6-yard catch from Cade Apsay early in the second quarter. Wolitarsky broke Smith's career passing yardage mark Oct. 5 in Canyon's win over Golden Valley. One play after setting the new mark, Wolitarsky caught a 7-yard touchdown pass from Apsay, giving Canyon (8-2-1) a lead it would hold the rest of the game. Wolitarsky finished with nine catches for 128 yards. San Luis Obispo (6-5) scored the first touchdown on a 17-yard run by Nate Greenelsh with 3:28 left in the first quarter. Greenelsh finished with 106 yards on 10 carries, but that would be the Tigers' only touchdown. Wolitarsky caught a 65-yard touchdown pass from Apsay 55 seconds later to pull Canyon even, and San Luis Obispo never led again. Apsay threw three touchdown passes, including a 62-yard strike to Liam Cabrera that made it 21-7. Apsay added two touchdowns on short runs, and finished 13 of 20 for 246 yards and three touchdowns passing. Cabrera had four catches for 118 yards. Dominic Pennucci closed out the scoring with a 39-yard run late in the third quarter. Pennucci finished with 138 yards on the ground on 14 carries for the -- Dave Rogahn In other Northern Division games: Atascadero 26, Palmdale 7: Wesley Gitchuway caught an 11-yard pass from Jake Dashnaw to give the top-seeded Falcons (10-1) an early lead, but the absence of Demario Richard -- sidelined with a leg injury -- was too much for Palmdale to overcome. Atascadero (5-6) scored 19 second-half points, highlighted by Izaiah Cooks' 66-yard kickoff return that led to an Ethan Hicks' 8-yard touchdown run. Hicks rushed for 92 yards and two scores and Dashnaw passed for 163 yards for the Falcons. -- John Facey Hart 48, Arroyo Grande 6: After stopping the Eagles on a three-and-out, Hart quarterback Brady White hit running back Connor Wingenroth with a short swing pass and he took it 76 yards down the left sideline for a touchdown. Wingenroth added a 30-yard run for the score, then Arroyo Grande's Holt returned the ensuing kickoff 98 yards for the Eagles only score. Wingenroth passed to Trent Irwin for a 24-yard touchdown, Arroyo Grande fumbled the kickoff and Hart scored again on an 11-yard pass from White to Andrew MacArthur to take a 27-6 lead. Antoine Holmes had a 3-yard run to take a 34-6 lead. White finished the night 18 for 29 for 349 yards and two touchdowns. Valencia 43, Paso Robles 36: The Vikings (8-3) scored 29 second-half points to rally for the win. Sean Murphy finished the night with 342 yards, completing 20 of 40 with one touchdown. James Berkley added 170 yards on 10 carries, including 70-yard touchdown that sealed the win. -- Victor Corona Quartz Hill 38, Redondo Union 21: Osirius Burke rushed for 170 yards and three touchdowns for the Rebels. Quartz Hill (8-3) took a 14-0 lead on touchdown runs of 2 and 40 yards by Burke, but Redondo Union (5-6) rallied. The Sea Hawks scored on quarterback Harrison Faecher's 3-yard sneak with 22 seconds left in the first half. Quartz Hill retook the lead on Burke's 1-yard run, 21-14. Quartz Hill's Royce Dirden set up another score with the first of his two interceptions. The Rebels stretched the lead to 24-14 with Rey Rodriguez's 22-yard field goal. Quartz Hill put the game away on the next play. With 454 remaining, Quartz Hill's Devin Brooks fielded Redondo's onside kick, broke through the Redondo line and returned it 44 yards for a touchdown. Burke intercepted Faecher's pass on the next series and the Rebels had broken a string of three consecutive first-round playoff exits. Dirden added a 31-yard touchdown run in the game's final minutes. -- John Purcell Palos Verdes 49, Antelope Valley 13: Cameron French had 13 carries for 97 yards and a touchdown and caught three passes for 29 yards, but little else went right for the Antelopes (7-4) at West Torrance High. It could have been worse for Antelope Valley (7-4), which fell behind 22-0 after one quarter and 42-0 at halftime. Andrew Alegria threw a 13-yard touchdown pass to Daniel Bernard and French rambled for a 15-yard touchdown run in the second half. Antelope Valley turned the ball over three times in the first half and had just 38 yards rushing and 10 yards yards passing going into halftime. Alegria finished 10 of 20 for 97 yards and a touchdown for Antelope Valley. -- Dave Thorpe Mira Costa 35, Highland 21: Highland lost quarterback Donte Ross on its sixth play from scrimmage. Using a mixture of quarterbacks and big plays after Donte Ross went out with a knee injury in the first quarter, Highland kept the pressure on before bowing to Mira Costa. Jamire Jordan returned a kickoff 75 yards for a touchdown and Michael Sewell scooped up a fumble and scored from 63 yards in the second half, but the Bulldogs (6-5) could never catch the Mustangs (8-3). -- Phil Collin Chaminade 64, Pacifica/O 11: Terrell Newby rushed for four touchdowns and Donovan Lee scored three, including kickoff returns of 80 and 76 yards. Chaminade (10-1) scored on its first nine possessions. Newby had touchdown runs of 79, 4 and 15 yards to cap the next two Chaminade drives and added a 5-yard scoring run in the third quarter. Newby finished with 141 yards. Brad Kaaya completed 7 of 8 passes for 105 yards including a 29-yard hook up with Kayan Samadian for a second-quarter touchdown. Lee's kickoff returns gave the Eagles a 43-11 halftime lead. He added a 3-yard touchdown run and had two interceptions. -- Greg Meade Lompoc 42, St. Francis 7: Jared Lebowitz threw a first-quarter touchdown pass to John Carroll for the Golden Knights (4-7) to cut the deficit to 14-7, but the top-seeded Braves (11-0) responded with 28 unanswered points. Lompoc, which has won a state-leading 31 in a row, returned the opening kickoff 90 yards for a touchdown. Lebowitz was 15 of 34 for 137 yards and was intercepted once. North Torrance 27, Oak Park 0: Luca Bruno had three sacks for Oak Park, and Brandon Coppel had an interception as the Eagles (5-6) trailed just 13-0 at the end of three quarters at North Torrance (9-2). But Oak Park (5-6) managed just 102 total yards -- 68 rushing and 35 passing. Jack Gerstenberger was 4 of 13 for 35 yards and was sacked six times. Coppel led the ground game with six carries for 49 yards. Kyle Espinoza added 15 carries for 29 yards. Oak Park also had nine penatlies for 100 yards. -- Tony Ciniglio Village Christian 38, Bishop Montgomery 21: John Amodeo had 33 carries for 218 yards and four touchdowns for the Crusaders, who scored 21 points in the third quarter after being down 14-7 at halftime. Village Christian struggled to stop the run in the first half, allowing the Knights' Robbie Hou to rush for over 100 yards and two touchdowns. The Crusaders made adjustments in the second half to hold him to a mere 10 yards. Jesse Hanckel was 7 of 10 for 65 yards for the Crusaders, including a 13-yard pass to Kevin Patterson to set up one of Amodeo's touchdowns. -- Rick Gomez Norwalk 49, Burbank 14: The host Bulldogs (7-4) fell into an early 35-0 hole against the visiting Lancers (8-2). Norwalk junior Rashaad Penny had 21 carries for 154 yards and scored two touchdowns. The Lancers got 104 yards and one touchdown on nine carries from senior Bryan Sullivan. Malcolm McAllister had 13 carries for 91 yards and a touchdown. Junior Matthew Ortega had eight carries for 42 yards and two touchdowns. Jacquise Hooper also added a rushing touchdown for Norwalk. Burbank sophomore quarterback Ryan Meredith was 8 of 19 for 151 yards passing. He hooked up with senior Teddy Arlington on an 18-yard touchdown pass with 1:16 left in the first half to make it 35-6 as the Bulldogs failed the 2-point conversion. Arlington scored on a 4-yard run in the third quarter to make it 35-14. Arlington led the Bulldogs with 29 yards on eight carries. He also had three receptions for 76 yards. Burbank's Francis Nicks had three receptions for 47 yards. -- Jim Riggio Monrovia 50, Viewpoint 0: Blake Heyworth threw four touchdown passes to lead the host Wildcats. Viewpoint (5-6) was led by Dalton Jaklitsch who completed 12 of 26 for 67 yards. Adam Markun caught three passes for 27 yards. Heyworth completed 10 of 13 passes for 139 yards. Ge Vontray Ainsworth led the Wildcats (9-2) with 116 yards on 10 carries and one touchdown and caught a touchdown pass. The Wildcats' defense held the Patriots to 47 yards of total offense, including minus-30 yards on the ground. -- Steve Goldstein Sierra Canyon 20, Northview 7: Andre Nunez passed for 163 yards and accounted for three touchdowns, including a 40-yard run, for the Trailblazers (10-1). Nunez connected with Brandyn Lee from 27 yards out to take a 13-0 lead. The Trailblazers held the Vikings to 170 yards of total offense. Victor Garcia was 11 for 19 for 83 yards fo Northview. Garcia scored the lone touchdown on a 1-yard run with 4:09 left in the game. Javon Taylor rushed for 90 on 22 carries for the Vikings. -- John Call Flintridge Prep 34, Ribet Academy 28: Clayton Weirrick hit Kareem Ismail for the winning touchdown in overtime to lead Flintridge Prep to the come-from-behind victory. The Rebels (6-4) had a chance to win the game in regulation by driving 62 yards in eight plays. The possession was highlighted by a 24-yard catch by Ismail to the 1-yard line. Three plays later, Stefan Smith scored from 2 yards out to tie the score at 28 with six seconds remaining, but he 2-point conversion run was stopped at the 1-yard line. "We put this play in this week so we could get our 6-foot-6 receiver the ball" Flintridge Prep coach Antonio Harrison said. "We ran the same play to win the game." The Fighting Frogs (9-2) took a 28-22 lead with 1:05 remaining on Andrew Morales 12-yard run. "My boys came to play today. We played honorable football tonight," Harrison said. -- Royce Kirkland • Readers: Learn more about our commenting system
Highlights A collection of news and information related to Frederick Forsyth published by this site and its partners. Displaying items 1-12 of 12 » View dailypress.com items only Andrew Lloyd Webber revives Broadway hopes for 'Love Never Dies'Culture Monster.... - L.A. Times bestsellers and Chateau MarmontJacket Copy....... What's the secret of 'The Power'? Bestsellers for Sept. 12, 2010Jacket CopyI...... - Grotech Ventures chosen to invest state money in Maryland startups Tags: Central Park, Portugal, Pol Pot, The New York Times, Bill BrysonAug 20, 2010 | Orlando Sentinel âPhantomâ sequel âLove Never Diesâ â quick review from LondonOrlando Theater Blog(Each day this week, I've been marking the end of summer by reliving my vacation earlier this year to London and offering mini-reviews of the shows I saw.) You know those Disney direct-to-video sequels that are inevitably inferior to the original movie...Apr 27, 2008 |Story| Los Angeles Times 10 best films to see Paris on the silver screenLos Angeles Times Staff WriterIf.... Tags: Simone Signoret, French Literature, Los Angeles Times, Family, Audrey HepburnJul 12, 2007 |Story| Los Angeles Times He helps give labor the edgeLos Angeles Times Staff WriterD. Taylor is anxious, pacing irritably as the rabble-rousing continues. About 150 workers have gathered at the Culinary Union headquarters here to rally and make signs for a Friday night caravan. Their plan is to clog traffic outside the big casinos to... Tags: Democratic Party, Jerry Brown, Los Angeles Times, Internal Revenue Service, Colleges and UniversitiesApr 7, 2006 |Story| Zap2It Elliott Is a Globe-Trotting 'Avenger'Zap2It.comHe's not dressed for the West this time, but Sam Elliott is still playing a lone ranger of sorts. A veteran of numerous cowboy roles, the rugged, distinctively deep-voiced actor goes contemporary as an international troubleshooter in TNT's new movie... Tags: Nicole Kidman, James Cromwell, Timothy Hutton, Television, CelebritiesSep 23, 1999 |Story| Los Angeles Times Lucie AubracTIMES STAFF WRITERFriday September 24, 1999 Claude Berri's "Lucie Aubrac" has it all: a tender romance, acute suspense, terrific acting, and a camera style and and score that are beautiful yet understated. Most important, it has an impeccable sense of period and... Tags: France, Justice System, Plastic Surgeons, Lawyers, Barbie (fictional character)Sep 23, 1989 |Story| Los Angeles Times From the archives: 10 Killed, 22 Hurt by IRA Bomb at England BarracksLos Angeles Times Staff WriterLONDON -- The Irish Republican Army claimed responsibility for a huge explosion Friday that reduced a three-story military barracks on the southeast coast of England to rubble, killing 10 people and injuring 22, eight seriously. It would be one of the... Tags: United Kingdom, Defense, Personal Finance, Protestantism, Roman CatholicismOriginal site for Frederick Forsyth topic gallery. Jan 25, 2012 | Los Angeles Times May 20, 2011 |Story| Hola Hoy Sep 2, 2010 | Los Angeles Times Sep 9, 2010 | Los Angeles Times Apr 30, 2011 |Story| Hola Hoy Sep 3, 2010 |Story| Hola Hoy
Issue Index 09-20-04 Mercer County dominates Bath Invite By Lyle Kittle LIMA -- Mercer County nearly came away with a clean sweep of the 2004 Kewpee/Bath High School Volleyball Classic, with St. Henry winning it all, Parkway taking second, and Coldwater finishing fifth after a final match loss to Old Fort kept the Cavaliers from the number three spot. Befitting a tournament final, the St. Henry/Parkway matchup was one of the better matches of the day. The Redskins captured the title with a 25-19, 25-18 victory. "I was very happy with our play today," Parkway coach Todd Henkle said. "I'm always disappointed when we leave the gym with a loss because I think we're capable of winning each match. It's coming down to our younger players putting it together. We can't miss three or four serves and just give away points. If you do that against St. Henry, well, you can't do that." The Panthers (8-4) played well, but no team would have been a match for the Redskins on this day. With all facets of its game well, St. Henry (8-3) bowled through opening round opponent National Trail, beating the Blazers 25-8, 25-8 in the middle school gym. "It (game against National Trail) was probably our most solid performance of the day," Redskins' coach Lori Schweiterman said. "We didn't have a period when we went mentally blank for five or six points. We maintained our focus throughout the match." While that was happening, Parkway was in the high school gym, shredding Lima Senior, 25-12, 25-10, behind a standout performance at the net by Rebekah Roehm, whose 11 first-match kills combined with several Lima Senior errors to drop the winless Spartans to the loser's bracket. Immediately following that match, Coldwater (6-3) took the floor at the high school to systematically take apart host Bath, 25-11, 25-18, to insure the Cavaliers a spot in the winner's bracket. In the second round, Parkway and Coldwater squared off for what would be the first of at least three encounters this seasons. The Panthers and Cavs meet in the opening round of the New Knoxville Invitational on Saturday and face off in a Midwest Athletic Conference match on September 30. Another possible confrontation could develop in the postseason. With the score tied at 5-5 in the first game, Henkle thought he spotted a hole in the Coldwater armor, and decided to attempt to exploit it. Five consecutive aces from Roehm confirmed the opening, and after winning 25-18, service specialist Diedre Adams took full advantage of it in the second game. Adams went to the service line with Coldwater leading 3-1, and before Coldwater could break through, Parkway led 22-3, with Erika Snyder providing the final point in a 25-6 win that propelled the Panthers to the final. "Serve receive has been our problem all year," said Coldwater coach Jeannette Vaughn. "It's the thing we work on the most, but we're just inconsistent. Getting over that hump is something we have to do. That (21-point run by Parkway) was just a complete mental shutdown on our part. We weren't setting the ball, we weren't hitting it, we weren't doing anything." "I didn't realize we had served that many," Henkle said. "When Diedre gets rolling, she can create a run like that because she has a great floater serve. We look for a spot we can use and then try to attack it as much as possible." St. Henry was on the floor next against Old Fort, with the other spot in the finals on the line. Old Fort had slipped past Northwood in the opening round to move on to the winners' bracket. The Stockaders put up a strong fight, but like National Trail in the opening round, hadn't the weapons to top the Redskins. St. Henry captured the second round battle, 25-21, 25-22, moving to the championship match and sending Old Fort to the consolation contest against Coldwater. During the Parkway/Coldwater match that preceded Old Fort's battle with St. Henry, Stockaders' coach Nancy Hoover wasn't just relaxing and enjoying the match. She was furiously taking notes regarding Parkway's attack on Coldwater's serve-receive weakness. The scouting worked with Old Fort taking third in the tourney with a 25-18, 25-20 win over Coldwater. "The most frustrating thing about this match was that we had control through most of both games," said Vaughn. "We couldn't put the games away when we had the chance. We just struggled all day." That brought about the championship match, which featured the two teams playing at their best throughout the tournament. Just as they had in their first two matches, the Panthers put together a strong all-around performance. As strong as it was, the performance wasn't enough to overcome the Redskins. As big as the play at the net of Lindsay Puthoff, Cami Lefeld, and Kayla Lefeld, and the strong back court play of libero Kylie Elking, the day belonged to the Redskins' setters, Lanee Mikesell and Christa Schwartz. "Lanee and Christa did a great job of distributing the ball," Schweiterman said. "It takes everybody working well. The kills aren't there without the serves, the serves aren't there without the passes, and so on. Our defense played well, and I thought our blocking was really on today." Play after play, Mikesell and Schwartz provided the front line attackers with clean opportunities to hammer shots home, and only the play of the Panthers kept the match from becoming a runaway. Adams, libero Cassie Gutierrez, Erica Yoder, and Erika Snyder on the wings and in the back court, and Roehm and Laura Art in the middle put together a performance that would have overwhelmed many teams. But with St. Henry playing at the level it was, Parkway's standout effort represented little more than a speed bump on the Redskins' road to the title. St. Henry's next action is on the road against Versailles on Tuesday. Coldwater's next match is on Thursday at St. Henry, while Parkway will host New Bremen, also on Thursday. Phone: (419)586-2371, Fax: (419)586-6271 All content copyright 2004 The Standard Printing Company P.O. Box 140, Celina, OH 45822
In our society alcohol is a condoned drug. To many, smoking is a disgusting habit and smoking marijuana is and should remain illegal in the U.S. Many argue that alcohol, on the other hand, is an innocent indulgence. However, vidence continues to mount about the dangers of overindulging in ethanol, the key component in alcohol, and a substance that is mildly toxic to the human body. A new study published in the journal Pediatrics has been released by the Harvard Medical School in Boston indicating that teenage drinking dramatically increases a young woman's risk of developing breast diseases later in life.The study found that young women who drank a lot – daily or nearly every day -- during their teenage years were five times as likely to develop a benign breast disease. Benign breast diseases include conditions like fibroadenoma, a noncancerous tumor.And that's not all, says study co-author Catherine Berkey, a biostatistician at Harvard Medical School. She states, "Our study may suggest that teen drinking increases the risk for breast cancer, whether in all females or in those who go on to develop BBD, but longer-term follow-up is certainly required."Statisticians and medical professionals are calling the study significant as it marks the first time that teenage girls were questioned about their drinking habits and then followed up years later. Previous studies looking at breast cancer had relied on researchers questioning adult women about their teenage drinking habits, which is thought to be a less accurate technique.The "Growing Up Today Study" enrolled 6,899 women when they were 9 to 15 years old and then followed up when they were between 16 to 23 years old and 18 to 27 years old. Of the teens, 147 reported having a breast disease, with 67 cases having been confirmed by biopsy. The highest correlation was among teens who drank the most frequently, but even teens who only drank once or twice a week were 1.5 times more likely than their peers to suffer from breast disease at a young age.Professor Berkley comments, "I suspect there may be some small additional BBD risk for even small amounts of alcohol consumed during adolescence."As they say, correlation does not equate to causation. However, researchers also think they have a good idea how the alcohol is causing increased rates of breast cancer. While alcohol itself is mildly poisonous to the human body and can be mildly carcinogenic, the true danger lies in a secondary effect, they say. Drinking alcohol elevates estrogen levels in growing teens, which raises the risk of problems with the mammary glands, which undergo rapid growth during the teenage years.Dr. Patricia Ganz, director of cancer prevention and control research at the Jonsson Comprehensive Cancer Center at the University of California, Los Angeles comments, "For me, this is not a surprise. I wouldn't scare (teens) and say, 'You are going to get breast cancer if you drink.' [But] certain forms of BBD [do] increase the risk of breast cancer. [And] the public health message is, these young girls shouldn't be drinking anyway."That's just one more reason, to develop non-toxic synthehol, it seems.
THE GUIDE FIVE: DINING OUT Reservations may be required or recommended at some locations below. 1 SECRETS FROM THE WHITE HOUSE KITCHENS Celebrated chef and restaurateur John R. Hanny will talk about his book, Secrets From the White House Kitchens, which includes recipes and behind- the-scenes stories from 1600 Pennsylvania Ave. Attendees can take home autographed copies of the book, included in the fee, and hors d’oeuvres will be served. Oct. 16 from 6:30 to 8:30 p.m. at SMU’s Umphrey Lee Center, 3300 Dyer St., Dallas. $99. 214-768-2273. smu.edu/cape. 2 BURGERS & BURGUNDY John Tesar will be joined by other chefs to serve specialty burger sliders paired with Burgundy wine at this fourth annual benefit for the Dallas chapter of DIFFA (Design Industry Foundation Fighting Aids). Other wines and specialty cocktails will also be served, and DJs Jennifer Miller and Paul Paredes will spin tunes. Oct. 19 from 6 to 9 p.m. at the Stodghill residence, 10401 Lennox Lane, Dallas. 214-748-8580. $75 per person; VIP $150. burgers2012.eventbrite.com. 3 KOOZA PRE- AND POST-SHOW MENU AT FIVE SIXTY BY WOLFGANG PUCK In celebration of the run of Cirque du Soleil’s Kooza, Five Sixty is offering a special menu before and after the show. The $60 fixed-price menu features three courses: nigiri and maki rolls and house-made dim sum; a choice of Hong Kong-style salmon, crispy quail “General Tso,” honey-glazed pork chop or petite beef filet au poivre; and peaches and cream cheesecake for dessert. Optional wine pairings are available for $35. Through Oct. 28 on show nights at 300 Reunion Blvd. East, Dallas. 214-741-5560. cirquedusoleil.com/en/shows/kooza /tickets/dallas/offers.aspx. 4 GALLERY TALK AND TASTING OF TEAS Join certified tea specialist Kyle Stewart, co-owner of the Cultured Cup, for an evening dedicated to the discovery and tasting of tea — a hot commodity on the Silk Road trade routes. This special event at the Crow Collection of Asian Art is offered as part of the current exhibit “On the Silk Road and the High Seas: Chinese Ceramics, Culture and Commerce.” Oct. 17 from 7 to 8 p.m. at 2010 Flora St., Dallas. $10. Seating is limited; reservations are required. 214-979-6430. crowcollection.org. 5 LUNCH SPECIALS AT CAESAR ISLAND Gyro, shish kebab, shish tawook, chicken souvlaki and kafta plates are $7.99 at this small Mediterranean restaurant. Rice, pita bread and lentil soup are included with the meal. Weekdays from 11 a.m. to 3 p.m. at 7650 S. Interstate 35E, Corinth. 940-269-4370. facebook.com/caesarisland..
The Mavericks organization gathered Friday for its annual Thanksgiving feast. The timing was awkward, but not because it was Nov. 2. Fortunately, there weren’t assigned place settings. On a Friday in which Chris Kaman returned to practice, the Mavericks waived Eddy Curry, signed Troy Murphy and watched Roddy Beaubois hop off the court near the end of the workout, howling in pain. If the Mavericks’ recent state had not already been so helter-skelter, there might be alarm that these latest episodes happened on the eve of Saturday night’s home opener against Charlotte. “It’s not a distraction,” forward Elton Brand said. “A lot of guys are in and out, a lot of things are going on, but we’ve just got to focus on basketball.” Just how fluid has the roster become? The franchise bid goodbye to Curry on Friday, even though the Mavs aren’t positive that Kaman, the only true center left on the roster, will be able to play on Saturday. Kaman, signed to a one-year, $8 million contract this summer, has seen little court time since training camp began Sept. 29. Kaman sprained his lower back during the first practice of camp, sat out for several days and played in only two preseason contests. Until Friday, he had not practiced since he strained his right calf against Phoenix on Oct. 17. Kaman said he felt soreness while running Friday, adding that lingering pain is to be expected. His availability for Saturday largely depends on whether additional pain or swelling occurred overnight. “I’m hoping. I think I am, but also I want to see how I feel in the morning.” Why did the Mavericks waive Curry, potentially leaving them shorthanded at center, while adding a power forward in Murphy — who didn’t sign until late in the afternoon, too late to practice? Donnie Nelson, president of basketball operations, said that with Kaman on the verge of returning and Dirk Nowitzki (arthroscopic knee surgery) out at least another couple of weeks, the organization decided that its greatest need is for power forward help. Murphy, 32, has averaged double-figures points and rebounds in five of his 11 NBA seasons — but in the last two seasons averaged just 3.2 points and 3.2 rebounds. Perhaps his most productive years were at Indiana, from the 2006-07 season to 2009-10. He played that first year under Rick Carlisle, now the Mavericks’ head coach, and the last three under current Mavs assistant Jim O’Brien. In 2008-09, Murphy averaged 14.3 points and 11.8 rebounds. “We need rebounding, we need shooting,” said Carlisle, whose 1-1 Mavericks have been outrebounded by an average of 53-40. “He’s a veteran guy who’s proven in both of those areas. We think he can help us.” While Dallas might or might not have strengthened its frontcourt Friday, it may well have regressed in the backcourt. After last week’s suspension and waiving of Delonte West, Beaubois appeared poised to seize the backup point guard spot behind Darren Collison. In the season-opening win over the Lakers, Beaubois had 11 points, five assists and no turnovers in 17 minutes. As Friday’s practice neared its conclusion, however, Beaubois stepped on Vince Carter’s foot, turning the same ankle he injured in the exhibition opener in Berlin. He missed the next three preseason games. “We’re hoping he’s going to be OK and it’s not serious,” Carlisle said, moments after watching Beaubois hop off the court on his good leg. Cuban to aid Sandy victims: Late Friday afternoon, Mavericks owner Mark Cuban took to Twitter to pledge support of the hurricane victims and seek suggestions of where to steer his sizeable donation. “Im going to donate $1mm dollars to support the victims of #Sandy in the name of @dallasmavs and @AXSTV ,” he tweeted. “Any suggestions on which entity?” Follow Brad Townsend on Twitter at @townbrad.
“A little hip-hop, a little punk rock. They are emcees with no beats, a hardcore band with no instruments.” -Charles Ellik, slam champ “They rock the way I never knew you could without music.” -924 Gilman Booking collective member “Holy S**t! I never knew poetry could be that way.”- Jim Goad Honors and Stagemates Meet The Suicide Kings as Individuals The Suicide Kings are a spoken word trio comprised of three award-winning Poetry Slam Champions. Collectively, they are known for their explosive live performances and a stylistic versatility that has brought them legions of fans at universities, hip-hop venues, spoken word and poetry shows, punk venues, and in workshops with at-risk youth. The Suicide Kings dice spoken word, punk rock theatrics, and a cappella hip-hop into a breathtaking display that transcends what most people think of as poetry. Their work reflects three lives and where they diverge and intersect: suicide attempts, human relationships, learning English as an immigrant, child molestation, Jewish and Asian identities, fatherhood, and personal triumph over adversity. They relate lyrics, poems, and stories that balance the profane and absurd on the head of a sword. They are the tattooed knuckles under the velvet glove of American poetry. Honors: HBO’s Def Poetry Jam 2003 West Coast Regional Slam Champs National Slam Rank: 5th in Nation bEASTfest 2002 They have shared the stage with spoken word artists, authors, comedians, and rock & hip-hop bands such as: The Dwarves*Marc Bamuthi Joseph (SeeKing)*Jim Goad*Pitch Black*Saul Williams*Sekou tha Misfit*Sage Francis*Anticon*The Fleshies* Eighth Wonder*Deepdickollective*Dead & Gone*Ishle Yi Park, Beau Sia, Taalam Acey*The Cost*Enemies*Big Poppa E*Taylor Mali* Stacy Ann Chin* Roger Bonair-Agard Geoff Trenchard’s poetry blasts you like a punk rock opera, taking the audience through the mosh pit of his mind. With a hardened empathy for the disposed and damaged, he has a style slick enough to spoon feed the boogieman nightmares. Since his burst on the San Jose slam poetry scene in 1999, he has hosted Bakatalk (one of San Jose¹s longest running open mics) and The Third Degree (San Jose¹s most successful Poetry Slams). After making the Silicon Valley Poetry Slam Team in 2000 and 2001, he toured the US and British Columbia. In 2002, he was part of the Berkeley Slam team who took the Western Regional Championship at Big Sur and went on to rank 5th in the nation. He currently lives in Oakland where he continues to write and teach poetry workshops all over the Bay. Rupert Estanislao holds Quezon City, Philippines close to his heart and pens his immigration and experiences from his native home into performance poetry. Since coming to America in 1993, he has become the frontman for the multi-racial bilingual hardcore band Eskapo and screams a lot in Tagalog and English. He has performed at universities, high schools, punk venues, and slams all over the Bay Area. An immigrant, a punk, a perpetual novice who wishes to learn poetry from life on a day-to-day basis, he writes from beauty and brutality – attempting to pen his experiences from two cultures into the language of poetry. Jamie Kennedy exploded onto the slam scene in 1999, on a team that took third place in the nation. He has competed and qualified for Bay Area team slots ever since. After being kicked out of two schools for his controversial performances, he created Tourettes Without Regrets, a kind of “psychotic vaudeville” show featuring spoken word, rock music, hip hop, and stage theatrics. He is known many ways and by many names: “hellspawn leprachaun”, “firecrotch” and as the outspoken great-grandson of L. Ron Hubbard. He performs regularly at universities, high schools, punk clubs, and slam venues. He is also a filmmaker, a novellist, and a father to his three year old daughter Nadia.
Is there any way of running and compiling with known errors in the code. Her is my reason. I am using a reference to word 2008 and word 2010, so as the program will work with both versions. Trouble is that if the computer I am using to test the code, only has one installed (naturally) so the program wont compile or run for me to test other parts of the program. There must be a way of ignoring error which wont make any difference to the run time compile program. Is there any way of running and compiling with known errors in the code. Compiling? yes, running? No because the program has to be error-free in order to execute the code. There is no point in trying to execute a program that contains compile-time errors. How do you expect the compiler to generate executable code when the source code is crap? Do you really need references to both versions of word at the same time? If you have the reference to word 2010 just test your program on a computer that has word 2008 installed on it. Not as easy as that, and it is not CRAP code it is CRAP software that doesn't allow for this to work. On VB6 it would have worked fine. The reason for the errors is because word 2003 needs to have the declared Imports Word = Microsoft.Office.Interop.Word to work, but 2007 onwards uses a completely different method and doesn;t recognise this statement, and thus the several hundred of statement that uses the "word" variable. The fact is that the compiled programme would never error because the code would route the programme to the correct version installed. And I cant test on a computer that has 2010 on it as that will then error on the 2003 part of the code. nAnd in any case it is not so much as testing the programme as adding new code to other parts of the programme. I am at a loos as to what to do. The only method I see available to me is to have a different database programme for each version of work, which seems ridiculous. But it looks like that is the way it has to be, or go back to VB6! Couldn't you check the version and then conditionally branch from there? I found an example here: Click Here. Some sample code to look at might be helpful... By the way, what versions are you trying to support? The original post states Word 2008 and Word 2010, but Word 2008 is in Office 2008 for Mac only as far as I know. The Microsoft.Office.Interop.Word namespace is documented on MSDN for Word 2003 and Word 2010 only, so apparently not distributed with any other versions of Office. That said, the Interop assemblies are available for redistribution. The assemblies for Office 2010 are found here: Click Here, I have no idea what will happen if you install and reference those assemblies on a system that has Word 2007 installed, and whatever code you write would have to be isolated by version and tested on a specific basis. HKLM\Word.Application.CurVer also has the version number on my system (Office 2010), but I don't know whether that key exists in any/all other versions. Again, it would be helpful to know what versions you need to support. Yes, Interesting reading, and it uses VB6, which seems to work fine without the errors. I am trying to use all versions of word, ie 2000,2002,2003,2007 and 2010. But as 2000 and 2002 are too different I have decided to drop them. I have now managed to convert the errors to warnings by somehow adding the references even though the computer doesn;t have the relevant versions installed, and it seems to work, I will know for sure when I try running the compiled programme on some other machines that only have one version installed, but I think it is going to work. If you're all set, mark the thread as solved. Thanks
My LifeProof Adventures Several months ago I had a crazy dream. I’m not quite sure if it was fueled by my desire for a LifeProof cellphone case, pregnancy hormones or both…but it was frightening. Well, frightening to anyone who is dependent in any way on their smartphone. In my dream I was hovering over a large body of water while someone was driving/riding a jet ski below me. The details of this dream are quite fuzzy now, but somehow I fell into the water. Hanging off the back of the jet ski, the lower half of my body was submerged in water – including the iPhone in my pocket. When I got out, my phone was completely waterlogged – I lost everything on it! Suffice it to say, I backed my phone up upon waking! LifeProof water test When my LifeProof case arrived, the first thing I had to do was conduct a water test without my phone inside. This helped ensure there were no defects and that I properly closed the case. It was a relief to test it this way first because I’m still a tad nervous about what if… But this thing is waterproof, dustproof, shockproof, mudproof and snowproof. Yes! It can withstand my daughter! I can’t tell you how many times she’s grabbed my phone and taken off, making me hope nothing bad happens to it. She’s given me several near hearrt attacks, especially when in a throwing phase. Good thing this case can handle up to a 6 foot drop! Also, I’m guilty of using my phone during meal times. It’s usually sitting next to my plate… tempting fate with a big spill. Up until now, I’ve been pretty lucky. My days are numbered though… but now there’s so much I can do without worry! Adventures I can go on with LifeProof - Deep sea diving - Swimming with sharks - Mud wrestling - Bungee jumping - Sky diving - Snowboarding - Parasailing … okay so these types of activities aren’t my style, but at least I can relax when Rissa plays with my phone while we’re grocery shopping and drops it from the cart. Or when it tries to slide out of my pants pocket while I’m using the bathroom. (But now it can function as an underwater camera!) I’ve been impressed with how my LifeProof case has kept my phone protected, though I still have some issues with the screen responsiveness. I’m not a fan of screen protectors and find myself needing to press harder and fix a whole lot more typos than usual. Other than that, I haven’t noticed a significant difference in how my phone functions overall with the case on. It’s a pain to take off though since it’s meant to stay on for day-to-day use to protect against unforeseen accidents as well as planned adventures. We also tried the bike mount which can be attached to bikes, four wheelers, and strollers to name a few. The thickness of your stroller bar will make a difference. I was having issues with the mount either being too lose (spinning on the bar) or too tight where I couldn’t actually lock it into place. I have yet to try it on all of our strollers, so hopefully I can get it to play nice with at least one because I like the concept! We walk a lot when it’s nice out, so this could really come in handy for me. While I’m still adapting to my new case, I think it is a must have with a tech savvy toddler in the house (who’s prone to sudden distraction and destruction). At the very least my phone should now be protected against milk, yogurt and peanut butter. Maybe I can get some blogging done in the shower now too? What adventures do you take your phone on? LifeProof is also available for sale at Best Buy, AT&T, Target, J&R Electronics and Radio Shack. Protect your iPhone 4/4S/5, iPod 4 or iPad 2/3/4 today! (Other cases are in the works too.) _____ Disclosure: We received a LifeProof case and bike mount for review purposes.Tags: adventures, bike mount, dreams, humor, iPhone case, Lifeproof, smartphone case, stroller mount, under water, waterproof Love this! I also am not a huge fan of cases/screen protectors so I am a little hesitant on more expensive ones, but this really seems like it protects the best on the market! Water Test!? Lindsey G. recently posted..Happy Holidays Event – Printcopia Canvas Print Giveaway – US Only My son has the Iphone 4 and he is always on some adventure, skiing, off road stuff, you name it. He really needs this because is is terrible when it comes to keeping phones safe :) This would be awesome! My husband had his dropped and we had to fix the whole front screen it was so cracked! He bought an otter box but to me it just doesn’t seem to hold up that well! This might be what we need to get him instead! Would like to have this. Unfortunately, I am a klutz so this would work out well for me and my phone! I think having to push a little harder on the screen is well worth it. I’ve dropped my phone so many times, its ridiculous! This sounds like a case I really need! Jody Cowan recently posted..INFOGRAPHIC – HOW TO USE RAFFLECOPTERjandjsavings I’ve dropped my phone a million times and in numerous wet places being the clumsy person I am. The places range from the Mud, a lake, the toilet, dog bowl, left out in the rain, flew out of my pocket when I was jumping stairs on a skateboard, etc. so this case would be so amazing for me! Sounds like you definitely need one of these, Austin!Syrana I want one of these for my phone. I have four kids and they love playing with it but it makes me so nervous. I love the bike/stroller mount you have. I definitely this! I had a cute toddler tornado who’s almost 3 and I need something to protect my phone from her :) She means well but still has the regular toddler “oops” and drops.LifeWithBandM you were brave with your experiment! would be great with our 4 year old grandson and wanting to use the phones! Wow this would be so handy for a klutz like me! This case is a must for someone living towards the beach. It provides the peace of mind of not having to worry about your phone. It is so easy just to wipe off the sand in the sink one at home. THANKS LIFEPROOF! It’s only waterproof to 2 meters so I don’t recommend deep sea diving with it but snorkeling, surfing, and pool activities would be good to go. I am rough on my phone (went through three otterboxes before I found lifeproof) and I love the rugged, yet sleek case.fbomber42 Running, hiking, camping, and two kids under 4 who want to hold/play/throw my phone make a lifeproof necessary!!! Anytime a small child gets a hold of my phone, it goes on an adventure! I would love to try this case. I use my lifeProof case for swimming and when I wake board it’s awesome. Works great!!mcdaniel236 This is a must have for a snowboarder like me. Instead of buying a camera for taping it is so nice just to be able to use your phone. i want another case to give to my wife for a christmas gift! thanks!
Novelist Catriona McPherson — who specializes in mysteries featuring amateur sleuth Dandy Gilver, set in Scotland circa the 1920s — picked up an award at last month’s Bouchercon, an annual convention for mystery writers and fans, held this year in Cleveland. McPherson, who lives outside Winters, received the Sue Feder Historical Mystery Award for her recently published book “Dandy Gilver and the Proper Treatment of Bloodstains. “It’s one of the four McCavity Awards, which are voted on by the members of Mystery Readers International,” McPherson told The Enterprise. McPherson had not been expecting the honor. It was her first time to be nominated for the award, and when she saw the list of other nominees, including several well-established writers, “I figured I wouldn’t need to write an acceptance speech,” she said, because she figured one of the others would win. “So when they called my name, I had nothing prepared to say! “I managed to remember to thank two people — my U.S. editor, Marcia Markland of Minotaur, and Janet Rudolph, of Mystery Readers International. But I also should have thanked the people who voted for me! That’s how untogether I was,” McPherson said. The award itself is “a big chunk of see-through crystaline material, with a cat on it. On the way home, I paused at the X-ray machine at the airport while they examined it,” she said. It was McPherson’s first time to visit Cleveland; the Bouchercon was held at the Rock and Roll Hall of Fame. “Downtown Cleveland is very pretty,” she observed, adding, “I had been to Ohio before — I spent a winter in Wooster, Ohio, the sort of thing you do if you’re married to someone who teaches agriculture.” (Her husband Neil McRoberts is a plant pathologist on the UC Davis faculty.) While at the convention, McPherson said, “I was on the ‘Fifty Shades of Cozy’ Panel” — the name being a reference to both the fast-selling erotic novel ”Fifty Shades of Grey” and the “cozy mystery” subgenre of which McPherson’s Dandy Gilver series is a part. “The other panelists included someone who writes a Southern consignment shop mystery series, someone who writes quilting mysteries, someone who writes the White House gardener mystery series (set in Washington, D.C). We were all talking about whether the ‘cozy mystery’ can adapt in an era when sexy fiction sells. “But mostly, what I did was talk to fans, sign books and talk to other writers,” McPherson said. “I was out and about looking at shiny things, instead of typing in a room by myself.” She has some new books coming up. “I’ve recently sold a separate book — not part of the Dandy Gilver series — which is a modern standalone British suspense thriller, titled ‘As She Left It,’ ” McPherson said. As compared with the quaintly Scottish and historical Dandy Gilver books, this one is “dreary-grubby British,” she added. It will be coming out on Midnight Ink Press. She’s also completed another Dandy Gilver book, “Dandy Gilver and the Bothersome Number of Corpses,” which is already out in the United Kingdom, and will be published in the U.S. in June. “It’s the first book in the series that I wrote here in California,” she added. — Reach Jeff Hudson at [email protected] or 530-747-8055. Discussion | No comments The Davis Enterprise does not necessarily condone the comments here, nor does it review every post. Read our full policy
Hi friends, I need to create an unique index on a set of 6 fields, which combinedly make a record as unique in one of our tables(there is no single field which is unique on its own). I need to know, how does Oracle work when it creates the index or when validating the uniqueness. For example, let us say the index is on col1 to col6, in that order. Col1 has values which have the maximum chance to be unique and col6 has least chances. So, if a new record is inserted which has an unique value of col1, are the other columns still compared or not? The main point here is that I need to select the order of the columns in the index. What will be the best order : "most unique chances" to "least unique chances" or it does not matter? Thanks manjunath When creating a compound index, you should use the field that has the greatest number of unique values as the first column of the index. That being said, with six fields in your PK, you may want to look at using an artificial PK for this table. Jeff Hunter [email protected] "I pledge to stop eating sharks fin soup and will not do so under any circumstances." Thanks Jeff, We will be first testing the index on the 6 fields and I will also test the artificial Primary key. Thanks again manjunath Originally posted by marist89 When creating a compound index, you should use the field that has the greatest number of unique values as the first column of the index. I've heard this same line repeated many times. Personally, I think it needs to have the following disclaimer: "All other things being equal" added to it. Why? Because applicability of the index matters more than selectivity. You may pick field 5 to be the first field in the index because of its selectivity. However, what if you almost never include field 5 in the WHERE clause? You have a more selective index that will never actually be used. You can always fix your selectivity issue using a hint, but you can't force an index if you aren't using the left, leading columns. Just something to think about. - Chris Of course, I was assuming that because it is a PK that you would be doing DML against it where you would need to specify the exact PK. But, yes, if you are not using the most selective field, it would be a poor candidate for a PK or ANY index. Gurus, What in god's name is a artificial PK? Nizar An artificial PK is a primary key in which it holds no meaning to the row in which it identifies. Yes, it violates normalization rules, but it has become a common practice among today's "modern" architects. In this situation, the user needs six fields to form a natural PK. If he/she added a field called "id" and populated it with the value from a sequence, any joins would probably execute faster. Originally posted by marist89 Yes, it violates normalization rules, ... I've heard others say this as well, but I just don't see it. I don't see how adding a surrogate key breaks any of the rules of normalization. - Chris One would still need a unique index if they want to make sure that the combination of all those values are unique, right ? But may be you are right if you have a artificial PK the queries will be faster ! thanks Sonali Forum Rules
EXCLUSIVE: Walton Goggins has joined the cast of director Steven Spielberg’s Lincoln. He will play Ohio Congressman Wells A. Hutchins, a progressive Democrat who goes against his party and votes in favor of the Thirteenth Amendment to abolish slavery. He will co-star alongside Daniel Day-Lewis as Abraham Lincoln; Sally Field as Mary Todd Lincoln; and David Strathairn, who recently joined the cast, as Secretary of State William Seward. The DreamWorks film — with a screenplay from Tony Kushner based on the bestselling book Team of Rivals by Doris Kerns Goodwin – is set to begin production in the fall in Virginia and will be released in late 2012 through Disney’s Touchstone label. Goggins, who is in the supporting Emmy hunt for playing Boyd Crowder on FX’s Justified and next appears this month in Cowboys & Aliens and in September in Straw Dogs, is repped by APA and manager Darris Hatch. Walton Goggins Joins Cast Of ‘Lincoln’ Awesome actor and presence, great to see him getting A-list film work I worked with Walt on Cowboys and Aliens.. there’s not hardly a nicer guy or a more class act out there… I hope he gets cast in EVERYTHING. They have a great actor on their hands on Lincoln now.. He stole the show on Predators… and will steal his scenes in Cowboys. Fantastic! I’ve loved Walton Goggins’ work since The Shield days, and he has done his best work yet on Justified. Amazingly talented guy; so glad he’s (or might finally be) getting his due! I’m a moviegoer and I approve this cast. Fabulous casting! I adore him on Justified. Looks like it’s Shield alum day on Deadline, what w/ Goggins and Chiklis. One of the best shows ever on TV. And Walton Goggins is awesome. I hope he gets in more awesome movies. man I wish I had teeth like that. it’s kinda ironic that when The Shield started he was probably the weakest link in the fantastic group on actors on that show, when the show was ending he was the best one. In Justified absolutely amazing body of work! Always like watching him. Nice to hear other people say good things about him, too. What a cast! Steven Spielberg is brilliant. Can’t wait to see this. I met Walt while he was shooting a film in Georgia a few years back. He is truly one of the nicest people you will ever meet. He deserves every bit of success he has gotten and continues to get. Big congrats! It will be chronologically challenging for Spielberg to mention the Nazis in this film. He’ll find a way, I’m sure. is this guy related to brian grazer? also would like to know how much forehead is going to be in this film? between ddl and he I’d say they are going for the record Fantastic choice. Boyd, Shane, he is amazing…. So happy to see some appreciation… Shane I hate! Walton I love! Can’t wait to see this movie and great cast! I have known walt for a very long time now. And he is an amazing human being first and foremost. And he got hit with the talent tree to boot. Go get em walt!! Hard work and hang on tight my old friend the big question is will Walt / Shane be in the Shield feature I keep hearing about? The Shield TV series had flashbacks. It would be great to see flashbacks in the Shield film. Dutch & Claudette 4ever! Walton Goggins will win an Oscar for best actor at some point in his career. Love the book. Love the Goggins. Nothing but greatness due and coming his way. Walton is the shit. He should work in everything, and on the weekends he should do children’s television just to floss. There is nothing this actor can not do. let me explain to the suits on the thread: Walton is Brad Pitt minus the pussification and highlights. He makes other actors work to match his level of performance.
As a college student in the “broke as a joke” demographic, any company’s effort to combat the criminal practice of textbook sales is much appreciated. As a soon-to-graduate college senior, I’ve experienced the financial woes that entail the college experience, to some extent. I was lucky enough to earn a few state scholarships that covered a good deal of my tuition and fees, but due to recent budget cuts in Florida my prize of free textbooks has been revoked and I’ve been forced to confront the blunt trauma of textbook purchasing. It could be effectively argued that college textbook sales are a criminal undertaking. Nearly every college student has gone through the injustice of purchasing a brand new textbook, barely turning a page because the professor decided it wasn’t necessary for the curriculum (or worse, the professor includes their own books in the required curriculum for personal profit), then being given the cold shoulder by college bookstores on a buyback after your “latest edition” textbook is no longer the latest edition. I’ve opened the pages of so-called “newer editions” of the textbook I’ve attempted to sell back and seen no more new additions than a few updated pictures and sources. Unfortunately, in the system students have to deal with right now, you’re lucky to walk away with 20% of the book’s original listing price if it’s deemed out-of-date. Amazon’s latest announcement will have college students, and Kindle owners particularly, finally optimistic about purchasing or renting textbooks this semester. Kindle owners, or anyone with a Kindle reading app, can choose to rent participating textbooks for a span of 30 to 360 days, saving up to 80% on the listing price. Amazon started its positive relationship with college students by offering a free Prime membership, entailing highly discounted shipping costs to any Prime-eligible item, including textbooks. Now, students like myself who used to only order the discounted textbook for midterm and finals week can choose to rent books for only as long as they’re needed, with a 30-day minimum. Very rarely have I seen a professor utilize a textbook for more than 30 days the entire semester. What may sound like a shameless pandering to Amazon is actually one student’s grateful recognition of a company’s efforts to ease the unnecessary and overwhelming burden placed on students’ wallets to simply purchase the course materials required of them. With the ability to save notes and annotations even after the rental is over, Amazon is finally allowing many students to use textbooks for the length and purpose which they actually use them. In an increasingly digital world, it’s encouraging to see the digital consumption of goods extend into the college campus, as such devices have made the most valued college resources more inexpensive and accessible to students. Services like Netflix make owning a TV with cable nearly futile, while Hulu Plus also offers a free one-month trial for users that register with a student e-mail account. As education budgets are slashed, tuition continues to skyrocket and students reliant on ramen and instant coffee are left in the crossfire. It’s encouraging to see major companies like Amazon offer services to at least ease some of the burden accumulated in the form of student debt.
This might be a game changer: Sands casino CEO Sheldon Adelson just donated $10 million to the biggest pro-Romney SuperPAC, and he claims there’s a lot more where that came from. He’s indicated that he’ll go at last up to $100 million as a rough ballpark, but Forbes reports that his real number is actually bigger: “limitless.” Forbes points out that Adelson is worth $24.9 billion, and that his recent $10 million donation is equivalent to $40 to a family of 4 with a net worth of $100,000. Donating hundreds of millions of dollars—or whatever amount it would take to overwhelm Obama’s fundraising efforts—wouldn’t make a dent in his personal fortune, and he seems to be serious about about doing just that. “No price is too high,” says Adelson. His reasoning sounds lifted verbatim from a Fox News segment: What scares me is the continuation of the socialist-style economy we’ve been experiencing for almost four years. That scares me because the redistribution of wealth is the path to more socialism, and to more of the government controlling people’s lives. … U.S. domestic politics is very important to me because I see that the things that made this country great are now being relegated into duplicating that which is making other countries less great. I guess it’s understandable why very rich people would hate the phrase “redistributing wealth.” But this line of logic always amazes me. It’s as if these people have never heard of the New Deal, which “redistributed wealth” to the tune of pulling us out of the Great Depression. It’s as if they’ve never driven on a highway, for that matter, which were all built by pooling dollars to create something collectively that we would never build otherwise. The things that make this country great aren’t just an every-man-for-himself free-for-all that allows guys like Adelson to get insanely rich. It’s a hybrid free market and social-minded approach that both allows guys like Adelson to get insanely rich and also gives him a road to drive on when he walks out the front door of his house. Beyond Adelson’s line of reasoning, what’s troubling about his promise of “limitless” funds is that it almost guarantees Obama’s wealthy backers will feel pressured to match, making it basically a zero sum game but ensuring that political dialogue becomes a matter of inundating voters with paid messaging. That’s not how voting was supposed to work. But it’s the new reality of how things are. June 14, 2012 at 9:31 pm, Rob Kane said: Obama is a socialist as much as Jamie Dimon. July 10, 2012 at 1:35 pm, Obama sweating over Mitt’s fundraising | Death and Taxes said: [...] donations to Super PACS now possible under Citizens United, and ultra-rich conservatives like Sheldon Adelson who vowed to donate at least $100 million personally to Romney, that drubbing is probably worse [...] August 15, 2012 at 12:41 pm, Obama gets his own Swift Boat attack ad (video) | Death and Taxes said: [...] have a motive to discredit the president’s most celebrated achievement? The Koch Brothers? Sheldon Adelseon? Romney campaign insiders? Thanks to our regulatory rules we’ll never know—but what’s [...] November 07, 2012 at 3:23 pm, Election 2012′s biggest loser: Citizens United | Death and Taxes said: [...] with lots of super-rich people. And they came forward, with guys like casino owner Sheldon Adelson pledging to donate at least $100 million to the Romney effort but saying he’s spend whatever it took to get him elected.As early as [...] December 03, 2012 at 3:00 pm, Sheldon Adelson blew $150 million trying to get Romney elected | Death and Taxes said: [...] to get Romney elected By Alex Moore 1 min agoIn the presidential campaign Sands Casino magnate Sheldon Adelson pledged $100 million to pro-Romney groups and promised to spend “as much as it takes” [...]