• Home
  • About Us
  • Contact Us
  • Privacy Policy
  • Special Offers
Business Intelligence Info
  • Business Intelligence
    • BI News and Info
    • Big Data
    • Mobile and Cloud
    • Self-Service BI
  • CRM
    • CRM News and Info
    • InfusionSoft
    • Microsoft Dynamics CRM
    • NetSuite
    • OnContact
    • Salesforce
    • Workbooks
  • Data Mining
    • Pentaho
    • Sisense
    • Tableau
    • TIBCO Spotfire
  • Data Warehousing
    • DWH News and Info
    • IBM DB2
    • Microsoft SQL Server
    • Oracle
    • Teradata
  • Predictive Analytics
    • FICO
    • KNIME
    • Mathematica
    • Matlab
    • Minitab
    • RapidMiner
    • Revolution
    • SAP
    • SAS/SPSS
  • Humor

Tag Archives: except

Deranged Trump Syndrome: said he “never suggested it,” except he then did it for three years

August 16, 2020   Humor
 Deranged Trump Syndrome: said he never suggested it, except he then did it for three years

He couldn’t help but lie about one of his fondest desires for many years, even if he’s simply aping Reagan’s followers like Grover Norquist

An entirely circular public relations stunt aided by the NY Times. Trump wasn’t accountable because one of his minions approached the South Dakota government with the flackery of Trumpist followers and the pretensions of Grover Norquist for Reagan’s head. Even though Trump has been informally yakking about it since taking office the Trump White House still has notional understandings of how governments work.

x

This is Fake News by the failing @nytimes & bad ratings @CNN. Never suggested it although, based on all of the many things accomplished during the first 3 1/2 years, perhaps more than any other Presidency, sounds like a good idea to me! https://t.co/EHrA9yUsAw

— Donald J. Trump (@realDonaldTrump) August 10, 2020

 Deranged Trump Syndrome: said he never suggested it, except he then did it for three years

But after President Trump was sworn in, he relayed his dream of actually being carved on the mountain, according to South Dakota Rep. Kristi Noem. (2018)

x

Last yr, a WH aide “reached out to the governor’s office with a question, according to a Republican official familiar with the conversation: What’s the process to add additional presidents to Mount Rushmore?”

⁦(via ⁦@jmartNYT⁩ ⁦@maggieNYT⁩) https://t.co/BGZwW3UCj6

— Carl Quintanilla (@carlquintanilla) August 8, 2020

x

Trump has been talking to Noem for 3 years about being added to Rushmore. Check her recounting in video below – she at first assumed he was joking.

But WH staff know better & last ya asked Noem folks about process for adding to the monumenthttps://t.co/omPrYtOXTC

— Jonathan Martin (@jmartNYT) August 8, 2020

x

Last year, before Trump’s July 4th fireworks celebration at Mount Rushmore, a White House aide reportedly contacted South Dakota Gov. Kristi Noem’s office to inquire about the steps that need to be taken to add more presidents to the national memorial. https://t.co/GDCZNxi3S3

— The Daily Beast (@thedailybeast) August 10, 2020

 Deranged Trump Syndrome: said he never suggested it, except he then did it for three years

Let’s block ads! (Why?)

moranbetterDemocrats

Read More

Except coffee Dynamics PDF-Docs does it all !

May 24, 2017   Microsoft Dynamics CRM
CRM Blog Except coffee Dynamics PDF Docs does it all !

With Dynamics PDF-Docs CRM users can, in one click of a button or with workflow

  1. PDF CRM Word Template
  2. Attach the PDF document to the record Notes
  3. Attach the PDF document to an Email
  4. Preview the document
  5. Save to SharePoint as Word or PDF format

Perform all above functions with Workflow, plus these extra features available with PDF-Docs Workflow:

  1. When uploading the document to SharePoint (item 5 above), the Workflow updates the SharePoint List (columns) with fields from the CRM record, to facilitate search of documents or activate SharePoint Workflows, triggered by the data saved in SharePoint.
  2. When sending the Word Template as PDF document attached to an Email, you can also add documents stored in SharePoint. Good example is a price quotation prepared as Word Template in CRM, attached to an Email together with documents saved in SharePoint regarding the products or services offered in the price quotation.

…. And the price ?

US$ 690 only per CRM Organization.

That is not all. This price is one off payment with FREE life time upgrade and free Email support.

Click here to download trial version of Dynamics PDF Docs

=================================================================

We are looking for Partners in non-English speaking countries. Contact us using this web form.

Nous recherchons des partenaires dans des pays qui ne parlent pas l’anglais. Contactez-nous en utilisant ce formulaire Web.

Wir suchen Partner in nicht-englischsprachigen Ländern. Kontaktieren Sie uns über dieses Webformular.

Estamos buscando socios en países que no hablan inglés. Contáctenos usando este formulario web.

www.DynamicsObjects.Com

Let’s block ads! (Why?)

CRM Software Blog | Dynamics 365

Read More

How to map a function to all sub-parts of an expression, except sub-parts passing some test

April 5, 2017   BI News and Info
 How to map a function to all sub parts of an expression, except sub parts passing some test

I’m constructing a function mapAllExcept which is similar to MapAll:

  • It maps a function f onto subparts of an expression
  • It maps the function f to “deeper levels in a given sub-expression first”
  • It plays nicely with expressions involving Hold attributes (this is the part I’m having trouble with)

The difference is that rather than mapping to all subparts, mapAllExcept will not apply to subparts of any sub-expression which passes a given testQ.

Example: Replace all instances of List with myList, unless a sub-expression already has head myList, in which case leave that sub-expression alone. So

mapAllExcept[ Replace[List[x___]:>myList[x] ], {{1,2}, myList@{3,4}}, MatchQ[_List] ]

(* myList[   myList[1,2], myList[{3,4}]   ] *)

Is there a simple or elegant way to do this?


My Attempt

My approach was to perform a recursive tree traversal, continuing unless the current sub-tree matches testQ. Since the function f needs map to deeper subparts first, the initial tree traversal instead maps a ‘dummy function’ fdummy, which has a downvalue fdummy[x : Except[_fdummy]] := f[x]. The recursive traversal is done with a helper function $ mapAllExcept.

Here’s my code:

ClearAll[mapAllExcept, $  mapAllExcept]

SetAttributes[$  mapAllExcept, HoldAll];

(* Map f to all specified parts of expr, except subparts of any part \
on which testQ is True *)
(* Evaluate sub-parts first, as in Map or MapAll *)

mapAllExcept[f_, expr_, testQ_] /; testQ[expr] := expr
mapAllExcept[f_, expr_, testQ_] :=
 Module[{fdummy = Unique@"f"},
  SetAttributes[fdummy, HoldAllComplete];
  fdummy[arg : Except[_fdummy]] := f[arg];
  $  mapAllExcept[fdummy, expr, testQ]
 ]

$  mapAllExcept[f_, expr_, testQ_] /; testQ[expr] := expr 
    (* I'm worried this will cause premature evaluation of expr, 
        but that's a higher order issue *)

$  mapAllExcept[f_, expr_, testQ_] := 
  Replace[expr, x_ :> $  mapAllExcept[f, x, testQ], {1}] // f

This code fails most of the tests below involving Hold attributes. I’ve tried some extensions, but they haven’t fixed all my problems.


Tests

A correct implementation of mapAllExcept should satisfy some conditions:

A few simple cases

mapAllExcept[Replace[x_List :> myList @@ x], #, MatchQ[_myList]]& should generate the following transformations:

AssociationMap[
 mapAllExcept[Replace[x_List :> myList @@ x], #, MatchQ[_myList]] &,
 { myList@{3, 4}, {myList@{3, 4}}, {{1, 2}, myList@{3, 4}} } ] 

yields (correctly)

 <|myList[{3, 4}] -> myList[{3, 4}], 
  {myList[{3, 4}]} -> myList[myList[{3, 4}]], 
  {{1, 2}, myList[{3, 4}]} -> 
      myList[myList[1, 2], myList[{3, 4}]] |>

When testQ always fails

mapAllExcept[f, expr, False&] should give identical output to MapAll[f,expr] for any f and expr. In particular, this should hold for expr such as Hold[1+1,2+2]. The above implementation fails:

Hold[1 + 1, 2 + 2]
mapAllExcept[ff, %, False &]
(* ff[Hold[$  mapAllExcept[fdummy$  11580, 1 + 1, False &], $  mapAllExcept[
     fdummy$  11580, 2 + 2, False &]]] *)
MapAll[ff, %%]
(* ff[Hold[ff[ff[1] + ff[1]], ff[ff[2] + ff[2]]]] *)

Again, the above outputs would be identical for a correct implementation.

Let’s block ads! (Why?)

Recent Questions – Mathematica Stack Exchange

Read More

Customer experience: Doing nothing can work, except when it doesn't

July 5, 2016   CRM News and Info

social enterprise thumb Customer experience: Doing nothing can work, except when it doesn'tistock

This is another in my continuing series of guest posts to put some of the foremost experts and smarter thinkers in front of you.

Let me introduce you, once again, to Rich Toohey. Rich, if you remember, has graced these “pages” before (see here for his post on omnichannel) back when he was VP of Marriott Rewards for (what else?) Marriott International. He is now a consultant/adviser/thought leader in the customer experience space making his way into the upper echelons of thinkers. He calls his company, rather elegantly I think, Resolvere Insights LLC, Their focus is one that is near and dear to my heart: developing strategies and programs for loyalty, customer experience and customer engagement. Pretty, pretty, pretty good.

special feature

ent ux background 3 Customer experience: Doing nothing can work, except when it doesn't

How UX is Transforming Enterprise Software

Today’s smartest businesses get serious about how to design user interfaces that drive efficiency, increase user adoption, and impact customer satisfaction.

The thing about Rich is that not only has he had deep history and extensive skills required to make all this work, but he articulates things really well. In this particular post, he describes how to organize your company’s thinking about the customer experience and the customer’s experiences that you are delivering as a company.

I’m gonna let him say the rest. Rich, take it away.

__________________________

If you’re a film fan, you may recall the scene from Forrest Gump where a man asks Forrest for help creating a bumper sticker slogan. Forrest obliges during one of his famous runs, inspiring the man (at least fictionally) to create the phrase, “S___ Happens”. The gist of the slogan speaks to the randomness of life. However, that sentiment does not work as a business strategy, especially when considering the customer experience delivered by an organization.

This film scene came to mind following a poor service interaction with a national cable provider that left me thinking that their service strategy must be predicated on hope (never a good plan). After a call center rep tried unsuccessfully to remotely fix an issue with our non-ringing (really) home phone line, a service appointment was scheduled for a 2-hour time window later in the week. When asked what phone number the technician should call 30 minutes before arrival, I shared my mobile number … since our home phone line was the problem. So far, the process appeared reasonable. Fast forward to the scheduled service date, specifically 15 minutes before the end of our appointment time slot; I had not heard from a technician so I contacted their call center. I was told the technician called our home phone number – not my requested mobile number – and when no one answered (the non-ringing phone), he concluded we weren’t home and moved on. Wrong. Turns out this customer experience resembled Forrest’s bumper sticker.

Customer experience as a discipline has received quite a bit of attention the past few years and for good reason. A customer’s view of a brand, including future purchases, loyalty, and advocacy, is largely determined by the experience they perceive. Furthermore, innovation and competition have combined to create an astounding number of choices for consumers’ product or service needs. The result is that more organizations are realizing the importance of delivering thoughtfully designed experiences (even for everyday interactions like my repair situation) that actually work for their customers … and seeing the lost business impact of not doing so. One other customer experience reality organizations must heed: customers now regularly compare the experience delivered by an organization not just to a top competitor in their category, but to that delivered by the very best organization, regardless of industry.

How do organizations deliver an outstanding customer experience? The recipe starts with a plan centered around knowing and acting on customer perceptions and needs. Specific ingredients can include journey mapping, to identify what works well and what doesn’t from the perspective of actual customers who have interacted with an organization; voice-of-the-customer process metrics to monitor (and correct when necessary) delivery effectiveness; and prescriptive training supplemented with periodic reinforcement to ensure front-line employees understand what to do and why it matters to customers. For instance, actually following contact instructions provided by the customer.

Fortunately, two more recent, though equally ordinary, service interactions offer a positive contrast to my cable ‘experience’. The first involved a replacement refrigerator purchase from a national retailer. After an extensive search for a mid-sized unit with the best combination of price, features, and delivery (plus old-unit removal), we decided on a specific model. The website purchase was very straightforward including choosing a 2-hour appointment slot on a delivery date (must … remain … calm). The last process-step asked for my choice (email, phone, or SMS) of how to be notified 30 minutes prior to delivery. I selected SMS notification and provided my mobile number. Finally, I used their chat function to answer a question about hauling away the old refrigerator. Purchase complete. My fingers were crossed on the scheduled delivery date though there was no need for concern; 30 minutes before arrival (and in the middle of the 2-hour appointment window), I received a text that the truck was on route. The delivery truck arrived, two men wheeled in the new appliance and removed the old. A customer experience without friction … the way it should be … easy!

The second interaction example occurred while having dinner at our favorite local family-run Greek restaurant. Of course, the food is fabulous although it’s the overall experience, including the relationship the family creates with customers, that makes this restaurant stand out. The owners are natural hosts who connect with regulars (like us) and first-timers alike. Perhaps more importantly, they’ve ingrained key service behaviors in their staff through training and on-going feedback. Their well-thought-out service approach concentrates on seemingly small steps that together, make a difference to customers. For instance, warmly greeting customers upon arrival; serving each table water, fresh bread, and dipping oil immediately after customers are seated; and having staff acknowledge customer requests by answering “my pleasure” (rather than the ubiquitous “no problem”). Each action reinforces that the staff appreciates us and our business as well as helps create a positive overall visit impression. This last point is critical as customer experience is all about customers’ perception and the most important aspect of any interaction is the feeling imparted. The attention to service details support an enjoyable customer experience – and keeps us coming back.

Although the service interactions described were all relatively routine, each illustrated significant attributes of a positive customer experience: processes that are connected and frictionless; offering choices, then acting on the preference; focusing on delivery consistency, even for process details; and demonstrating customer appreciation. These interactions also serve as reminders that a positive customer experience does not just happen; it requires planning, effort, and most importantly, a willingness to focus on customers. And while doing nothing can sometimes be the right approach, simply allowing a customer experience to happen without any consideration is the wrong approach … and likely results in the type of experience where Forrest would say, “It happens.”

_______________________________________

If you want to reach Rich, feel free to email him at rich@resolvereinsights.com

Let’s block ads! (Why?)

ZDNet | crm RSS

Read More
  • Recent Posts

    • NOT WHAT THEY MEANT BY “BUILDING ON THE BACKS OF….”
    • Why Healthcare Needs New Data and Analytics Solutions Before the Next Pandemic
    • Siemens and IBM extend alliance to IoT for manufacturing
    • Kevin Hart Joins John Hamburg For New Netflix Comedy Film Titled ‘Me Time’
    • Who is Monitoring your Microsoft Dynamics 365 Apps?
  • Categories

  • Archives

    • February 2021
    • January 2021
    • December 2020
    • November 2020
    • October 2020
    • September 2020
    • August 2020
    • July 2020
    • June 2020
    • May 2020
    • April 2020
    • March 2020
    • February 2020
    • January 2020
    • December 2019
    • November 2019
    • October 2019
    • September 2019
    • August 2019
    • July 2019
    • June 2019
    • May 2019
    • April 2019
    • March 2019
    • February 2019
    • January 2019
    • December 2018
    • November 2018
    • October 2018
    • September 2018
    • August 2018
    • July 2018
    • June 2018
    • May 2018
    • April 2018
    • March 2018
    • February 2018
    • January 2018
    • December 2017
    • November 2017
    • October 2017
    • September 2017
    • August 2017
    • July 2017
    • June 2017
    • May 2017
    • April 2017
    • March 2017
    • February 2017
    • January 2017
    • December 2016
    • November 2016
    • October 2016
    • September 2016
    • August 2016
    • July 2016
    • June 2016
    • May 2016
    • April 2016
    • March 2016
    • February 2016
    • January 2016
    • December 2015
    • November 2015
    • October 2015
    • September 2015
    • August 2015
    • July 2015
    • June 2015
    • May 2015
    • April 2015
    • March 2015
    • February 2015
    • January 2015
    • December 2014
    • November 2014
© 2021 Business Intelligence Info
Power BI Training | G Com Solutions Limited