Loader bar Loading...

Type Name, Speaker's Name, Speaker's Company, Sponsor Name, or Slide Title and Press Enter

Anonymity Goes from Bullying to Hiring? Why It Can Work for Passive Tech Talent and Startups Hiring Anonymity is big business in the Internet. Or so it seemed. The PEW Research Center found in 2013 that 25% of all adult Internet users have posted a comment anonymously on the Web before. However, the same year the backlash against anonymity began. The Huffington Post got rid of anonymous profiles to "promote civil discourse, citing the maturing of the Web. Other Websites such as ESPN, Popular Science and USA Today followed by either banning anonymous posts or eliminating their comments sections altogether....
SHRM   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:39pm</span>
Overview In this blog, I will show how to display one or many SharePoint lists in SharePoint web page using REST services and out of the box features. The source lists can be anywhere in a site collection. At minimum the user is required to have read permission for all those lists you intent to display. I will use knockout.js and jQuery to implement this. There will be no server side code and hence with the deployment is just very simple. You can utilize this method both in On-Prem and office 365 environments. Background With SharePoint 2003, 2007 and 2010 we have been using Server Site Object model to develop our SharePoint web parts. Start with SharePoint 2010, Client Side Object Model was introduced. Based on the fit for purpose we have utilized CSCOM to develop our Web parts. With the simplicity of CSCOM and combined with the new REST Services you can write an effective web part. Microsoft continuous to invest heavily on "Client side object model". Starting from SharePoint 2010 several REST services were developed corresponding to server side "SharePoint object model" or web Services. Microsoft continued this approach in SharePoint 2013. There is now REST service available for most function available through server side object model. There are over 2000 REST based services available in SharePoint 2013 out of the box. I will show in this blog how easy it is to use REST services in SharePoint 2013 along with HTML5 Knockout.js templates. Implementation Site Structure Preparations Create a sub site in the root site collection. I gave it a name "NWSush" Create a list in the site "NWSush". I created the custom list by name "NWTestSush". The list has 3 fields 1) Title, 2) MyName, 3) context. I added four items in that list. Our code will show these four list items in the root site Deployment Preparation I will keep all HTML, JavaScript files and style sheets (CSS) in site collection’s "Site Assets" library. This library is provided out of the box in SharePoint site / site collection HTML code will refer to style sheets and JavaScript files in the same folder (folder of the library) Code Development 1. Provide the CSS and .js files in "Site Assets" library 2. Do following changes in HTML file Change the file extension from .htm to .txt Get the url’s of css and .js file stored in the "Site Assets" library and provide these url’s in the html file 3. Upload the text file created (in step 2 above) to "Site Assets" library 4. Drag /drop content editor web part in SharePoint root site in a "web part zone" wherein we want to display the SharePoint list items. "Content Editor Web Part" is available in "Media and Content" category of Web Part selection 5. Edit "Content Editor Web part" and in "Content Link" provide the url of uploaded text file. In my case it was "/NWSush/SiteAssets/NWProjects.txt". NWProjects.htm was my original html file 6. If everything is done correctly the contents of SharePoint list will appear correctly in the web page Code 1. HTML: NWProjects.htm Here is my html code. See how I used "Knockout.js" from aspnetcdn site. If you are using "https://" then remember to replace "http://" with https:// in the url for download of knockout-2.2.1.js and jQuery-1.7.1.js. Please note that jQuery version 2.2 didn’t work with SharePoint 2013 I have provided Knockout template with the &lt;script&gt; tag within the HTML itself &lt;!DOCTYPE html&gt; &lt;html xmlns="http://www.w3.org/1999/xhtml"&gt; &lt;head&gt;     &lt;title&gt;Netwoven Project Pages&lt;/title&gt; &lt;/head&gt; &lt;body&gt;     &lt;link rel="stylesheet" href="/NWSush/SiteAssets/StyleSheet1.css" type="text/css" /&gt;     &lt;script type="text/javascript" src="http://ajax.aspnetcdn.com/ajax/jQuery/jQuery-1.7.1.js"&gt;&lt;/script&gt;     &lt;script src="http://ajax.aspnetcdn.com/ajax/knockout/knockout-2.2.1.js"&gt;&lt;/script&gt;     &lt;script src="/NWSush/SiteAssets/NWProjects.js"&gt;&lt;/script&gt;     &lt;!-&lt;input id="Button1″ type="button" value="button" onclick="LoadNWData(0)" /&gt;-&gt;     &lt;div id="KO1″&gt;         &lt;div data-bind="template:{name:’KOListTemplate’, foreach:results, as:’listRow’}"&gt;&lt;/div&gt;         &lt;script type="text/html" id="KOListTemplate"&gt;             &lt;table class="imagetable"&gt;                 &lt;tr&gt;                     &lt;td data-bind="text:Title"&gt;&lt;/td&gt;                     &lt;td data-bind="text:MyName"&gt;&lt;/td&gt;                     &lt;td data-bind="text:Context"&gt;&lt;/td&gt;                 &lt;/tr&gt;             &lt;/table&gt;         &lt;/script&gt;     &lt;/div&gt; &lt;/body&gt; &lt;/html&gt; 2. JavaScript: NWSush.js Here is the javascript file. Check How I used recursion. I have provided the values "NWSush" twice in the var subsites. This is to mimic multiple lists. See how the SharePoint REST call to provide all list items is called in $.ajax. var results = []; var rootSite = "http://srv-symmat-113/&#8221;; var subSites = ["NWSush", "NWSush"]; var length = subSites.length; function LoadNWData(index) {     $.ajax(             {                 url: rootSite + subSites[index] + "/_api/web/lists/GetByTitle(‘NWTestSush’)/items",                 success: function (data) {                     results.push.apply(results, data.d.results);                     if (index == (length - 1)) {                         ko.applyBindings(results);                         return;                     }                     else {                         index++;                         LoadNWData(index);                     }                 },                 error: function (fn, status, error) {                     alert(‘There was error:’ + error);                 },                 method: "GET",                 headers: {                     "ACCEPT": "application/json;odata=verbose"                 }             }             ); } $(function () { LoadNWData(0); }) 3. Stylesheets:stylesheet1.css I have used following very simple stylesheet to display html table. You can create your own stylesheet or download one from the internet table.imagetable {       font-family: verdana,arial,sans-serif;       font-size:11px;       color:#333333;       border-width: 1px;       border-color: #999999;       border-collapse: collapse; } table.imagetable th {       background:#b5cfd2 url(‘cell-blue.jpg’);       border-width: 1px;       padding: 8px;       border-style: solid;       border-color: #999999; } table.imagetable td {       background:#dcddc0 url(‘cell-grey.jpg’);       border-width: 1px;       padding: 8px;       border-style: solid;       border-color: #999999;     width:200px; } button.buttonClass {     padding:8px; } 4. Here is the display of list contents in the Content Editor web part.
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:39pm</span>
OpenConnect’s Michael Cupps to Discuss the Future of Technology and Data Capture at the Analytics for Insurance Conference Mr. Cupps will be a featured speaker at the Analytics for Insurance Conference session titled "Improve claims processing by identifying & understanding ‘dark events’" Dallas, TX, May 4, 2015 - OC WorkiQ, a leader in workforce intelligence and business process analytics software and services, today announced that Senior Vice President Michael Cupps will be a featured speaker and panelist at the Analytics for Insurance Conference, May 11 - 12 in Toronto, Canada. Mr. Cupps will focus on how analytics can make the claims process more efficient and transparent. The claims handling process involves large amounts of data, but unfortunately much of this data has historically not been tracked and measured in a meaningful way. Emerging technologies and the use of analytics that are capable of tracking this data are crucial to the future of the claims handling process. Prior to the panel discussion, Mr. Cupps will deliver a presentation on understanding Dark Events, which are discrete actions that occur in the processing of a claim. The panel discussion will cover a number of key areas related to the role of analytics in the claims process. The additional capabilities that analytics enables - from developing new predictive models, to providing more insight into previously opaque aspects of the claims process - will be crucial to the evolution of the industry. Mr. Cupps will focus specifically on how to track and utilize previously unusable data in ways the industry has not seen before. "As with any production process, the efficiency of the claims process solely depends on the knowledge of the best path to completion. In reality, that knowledge or visibility is not always clear," said Michael Cupps, Senior Vice President, OC WorkiQ. "The only way to improve that process is to remove ‘Dark Events’. These are discrete actions that affect the state of claims, and normally go unrecorded by most claims processing and analysis systems.  Being armed with the ability to capture this data creates valuable and actionable analysis that can lead to greater efficiencies." The Analytics for Insurance Conference takes place May 11 - 12 at the Westin Prince Toronto. Mr. Cupps will give his presentation on May 11 from 2:50 p.m. - 3:10 p.m., and the subsequent panel discussion will take place from 3:30 p.m. - 4:00 p.m. The post Analytics for Insurance Conference - Canada appeared first on WorkiQ Blog.
WORKIQ   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:39pm</span>
My name is Michael Quinn Patton and I am an independent evaluation consultant based in Minnesota but working worldwide. In the last few months I have been editing a book on Developmental Evaluation Exemplars with Kate McKegg and Nan Wehipeihana. (The book will be out in September.) Tomorrow Kate will share what the Developmental Evaluation (DE) cases we’ve reviewed and analyzed reveal about readiness for DE. The following day Nan will share what we’ve learned about developmental evaluator roles and responsibilities. The rest of the week will include reflections from three more developmental evaluators. Today I’m going to introduce the principles of DE that have emerged from this collaborative work with DE practitioners. . Hot Tip: Understand the specific niche of DE. DE provides evaluative information and feedback to social innovators, and their funders and supporters, to inform adaptive development of change initiatives in complex dynamic environments. Rad Resource: Eight Essential Principles of Developmental Evaluation Developmental purpose Evaluation rigor Utilization focus Innovation niche Complexity perspective Systems thinking Co-creation Timely feedback Hot Tip: The principles are inter-related and mutually reinforcing. The developmental purpose (#1) frames and focuses evaluation rigor (#2), just as rigor informs and sharpens understanding of what’s being developed. Being utilization-focused (#3) requires actively engaging with social innovators as primary intended users and staying attuned to the developmental purpose of the evaluation as the priority. The innovation niche of DE (#4) necessitates understanding the situation and what is developed through the lens of complexity (#5) which further requires understanding and applying systems thinking (#6) with timely feedback (#8). Utilization-focused engagement involves collaborative co-creation (#7) of both the innovation and the empirically-based evaluation, making the developmental evaluation part of the intervention. Cool Trick: Work with social innovators, funders, and others involved in social innovation and DE to determine how the principles apply to a particular developmental evaluation. This increases their relevance based on contextual sensitivity and adaptation, while illuminating the practical implications of applying guiding DE principles to all aspects of the evaluation. Rad Resources: Developmental evaluation: Applying complexity concepts to enhance innovation and use by Michael Quinn Patton (Guilford Press, 2011). A developmental evaluation primer. Jamie Gamble. (2008). Montréal: The J.W. McConnell Family Foundation. The American Evaluation Association is celebrating Developmental Evaluation Week. The contributions all this week to aea365 come from evaluators who do developmental evaluation. Do you have questions, concerns, kudos, or content to extend this aea365 contribution? Please add them in the comments section for this post on the aea365 webpage so that we may enrich our community of practice. Would you like to submit an aea365 Tip? Please send a note of interest to aea365@eval.org. aea365 is sponsored by the American Evaluation Association and provides a Tip-a-Day by and for evaluators.   Related posts: Michael Quinn Patton on Developmental Evaluation DE Week: Michael Quinn Patton on Developmental Evaluation MNEA Week: Pat Seppanen on Evaluating Complex Adaptive Systems
AEA365   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:39pm</span>
Overview You have already deployed SharePoint Product technology for your organization as Content Management platform. More recently you may have deployed Office 365 or plan to. You may have both on-prep and O365. In addition you may have deployed or plan to deploy an Enterprise Search with MS Fast Search product technology. With above scenario which is not very uncommon to come across nowadays since the adaption of SharePoint, Office 365 and the Fast Search. You are challenged with being able to successfully play out your business use cases along with underlying technical integration’s. You are not alone! Register for our upcoming Webinar where in collaboration with BA Insight our team of Netwoven experts will discuss and shed some light on these very same use cases and options to consider.  Learn about the industry trends and some market data Review Microsoft and IDC statistics Why people are adopting more cautiously Learn the patterns of adoption and the search strategy Use Cases How the uses cases are influencing the search strategy. We will discuss below use cases that are foundational to think through for your hybrid search strategy: What if my content is all in cloud? What about my different content sources? How does content migration impact? What is the scope of built in search ? In a hybrid scenario could we split the search workload? What about technical layer with Exchange, Lync and Yammer? What about my content access scopes such as extranet, public site, intranet? What about search driven navigation? How about setting up extranet search with permissions? Can we see our extranet from intranet? What about index vs federate? What is Hybrid Cloud - Hybrid Workload? See you at the Webinar!
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:38pm</span>
    OpenConnect is excited to sponsor and exhibit at  AHIP Institute 2015 !  There is an impressive line up of excellent speakers and topics.   We look forward to spending time with our customers and potential customers in these sessions and throughout the exhibit hall. We will be at booth #1149 on Wednesday 6/3 Noon to 7pm and all day on Thursday  6/4.   Stop by for a demonstration of desktop analytics and ask about automation solutions.  We can share how our Health Insurance customers are seeing significant payback and benefits using these tools. Join us for southern hospitality and country music with the great Martina Mcbride on Wednesday evening!  See you in Nashville!   The post OpenConnect at AHIP Institute 2015 appeared first on WorkiQ Blog.
WORKIQ   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:38pm</span>
                             As a father of three kids 12- and under, a little league coach, a girls’ soccer coach, and a den leader for 25 seven-year old cub scouts, I’ve had no shortage of opportunities to manage the unmanageable -failing every time!  You would think I’d learn but nope- here I am only days away from the largest HR gathering ever faced with the prospect of managing the most unmanageable group of all- Bloggers!  But, the reality...
SHRM   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:38pm</span>
I’m Kate McKegg, Director of The Knowledge Institute Ltd, member of the Kinnect Group, and co-editor of a forthcoming book on Developmental Evaluation Exemplars. I want to share what we have learned about readiness for developmental evaluation (DE) by reviewing the experiences of and lessons from DE practitioners. DE isn’t appropriate for every situation.  So, when we suggest that a client or community undertakes a developmental evaluation, we begin by jointly assessing appropriateness and readiness. Rad Resource: Differentiate appropriate from inappropriate DE situations. Hot Tip: Readiness extends to evaluators. Developmental evaluators need a deep and diverse methodological toolkit and the ability to be methodologically agile. Hot Tip: Be prepared to use multiple methods from different disciplines, contexts and cultures, and to be adept enough to develop and adapt methods and approaches to work better in different contexts. Hot Tip: Know and practice the three DE dispositions. Embrace unknowability so as to be comfortable about not knowing in advance a sure destination, or known pathway to tread; acknowledge risks and go anyway. Develop an enquiring mindset, where the DE evaluator and others in the innovation team are open to possibilities, multiple perspectives, puzzles and learning. Be ready to persevere, to begin an unknown journey and stick with it. Hot Tip: DE is relational - alignment of values is essential Alignment of values (the initiative and the DE evaluator) is essential for a DE journey; it’s shared values and trust that create the glue that holds people in relationship with each other. Hot Tip: Readiness applies to both organizations engaged in innovation and developmental evaluators. Look for readiness alignment. Rad Resource: Organizational readiness aligned with evaluator readiness Cool Trick: Be honest that DE can be hard, is not appropriate for every situation, requires readiness and perseverance, and sometimes even courage. The American Evaluation Association is celebrating Developmental Evaluation Week. The contributions all this week to aea365 come from evaluators who do developmental evaluation. Do you have questions, concerns, kudos, or content to extend this aea365 contribution? Please add them in the comments section for this post on the aea365 webpage so that we may enrich our community of practice. Would you like to submit an aea365 Tip? Please send a note of interest to aea365@eval.org. aea365 is sponsored by the American Evaluation Association and provides a Tip-a-Day by and for evaluators. Related posts: Developmental Eval Week: Michael Quinn Patton on Developmental Evaluation Principles DE Week: Kate McKegg and Nan Wehipeihana on Talking to Clients and Communities about Developmental Evaluation DE Week: Homeless Youth Collaborative on Developmental Evaluation
AEA365   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:38pm</span>
Recently my colleagues and I were discussing the ‘old days’.  Several memories came back to us.  They included having only 2-3 channels on the TV, and for some of us old enough to remember color vs. black & white screens.  At the time there was no remote control, progressing to today where we have too many on the coffee table.  Now we have access to any show, any time, streaming anywhere we want. Banking was more difficult than today.  Back then the only way to conduct business was with a human at a branch.   Then came the ATM which revolutionized self service.   Now we have on-line capabilities to pay on demand and schedule payments on a recurring basis, eliminating the requirement to involve human activities. Letters turned to faxes, faxes turned to emails, emails are now being taken over by texts, Skype and other IM software. We’ve come along way since those days, and technology continues to improve our lives.  The same can be done for automating your operations.  The back office of Health Plans has volumes of repetitive work to be completed in Claims and Enrollment.   In most cases today, this work is all manual.   With the increasing volume due to ACA many plans are being forced to pay significant overtime or outsource more work.  Due to this demand new people make mistakes and those easy tasks turn into more rework events.  It is time to evolve in the back office much like the TV and banking. Robotic Process Automation (RPA) has improved the first pass rates of insurance companies in astounding numbers.  One customer saw their auto adjudication increased from 77% to 92.4% in just a few years.  They are saving millions annually by controlling labor costs.   Because robots work 24 hours they are processing more claims per day.  Large or small firms producing repetitive work can benefit from RPA by augmenting with Robots.  Imagine what that could mean in your organization. When you think about all that technology has done for us in our personal lives, why not improve our corporate lives too?  It’s worth looking into automation, analysis and overall improvement of your organization. http://workiq.com/wiq_automation.jsp The post We’ve come a long way appeared first on WorkiQ Blog.
WORKIQ   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:38pm</span>
Overview You are developing a user interface for SharePoint 2007/2010/2013 (Tested against 2013).  You have radio button options in your interface such as below and want to show some indicator when selected such as highlight with the color selected. Implementation: Using jQuery UI library and by applying "buttonset()" and "button()" functions, you can transform the radio buttons like described in the overview above. In your page you may have below HTML or ASP.NET Control: &lt;div id="jQUIRadioSet"&gt; &lt;input type="radio" id="jQUIRadio1″ name="jQUIRadio" value="Red" /&gt;&lt;label for="jQUIRadio1″&gt;Red&lt;/label&gt; &lt;input type="radio" id="jQUIRadio2″ name="jQUIRadio" value="Green" checked="checked" /&gt;&lt;label for="jQUIRadio2″&gt;Green&lt;/label&gt; &lt;input type="radio" id="jQUIRadio3″ name="jQUIRadio" value="Yellow" /&gt;&lt;label for="jQUIRadio3″&gt;Yellow&lt;/label&gt; &lt;/div&gt; &lt;div id="jQUIRadioSet"&gt; &lt;asp:RadioButtonList ID="jQUIRadio" runat="server" RepeatColumns="3″ RepeatDirection="Horizontal"&gt; &lt;asp:ListItem Text="Red" Value="Red"&gt;&lt;/asp:ListItem&gt; &lt;asp:ListItem Text="Yellow" Value="Yellow"&gt;&lt;/asp:ListItem&gt; &lt;asp:ListItem Text="Green" Value="Green"&gt;&lt;/asp:ListItem&gt; &lt;/asp:RadioButtonList&gt; &lt;/div&gt; Add jQuery UI Script and CSS Reference: &lt;link type="text/css" rel="stylesheet" href="http://code.jquery.com/ui/1.10.4/themes/start/jquery-ui.css" /&gt; &lt;script type="text/javascript" src="http://code.jquery.com/jquery-1.9.1.js"&gt;&lt;/script&gt; &lt;script type="text/javascript" src="http://code.jquery.com/ui/1.10.4/jquery-ui.js"&gt;&lt;/script&gt; Include below Custom Script to your page: &lt;script type="text/javascript"&gt; $(function () { /***Radio Set***/ $("#jQUIRadioSet").buttonset(); jQUIRadioFormat(); $("input[id*='jQUIRadio']").click(function (e) { jQUIRadioFormat(); }); function jQUIRadioFormat() { var radioOffIcon = { primary: ‘ui-icon-radio-off’, secondary: null }; var radioOnIcon = { primary: ‘ui-icon-circle-check’, secondary: null }; $("input[id*='jQUIRadio']").each(function (index) { if ($(this).is(‘:checked’)) { $(this).button({ icons: radioOnIcon }); $("label[for='" + $(this).attr("id") + "']").css(‘background’, $(this).val()); } else { $(this).button({ icons: radioOffIcon }); $("label[for='" + $(this).attr("id") + "']").removeAttr("style"); } }); } /***End of Radio Set***/ }); &lt;/script&gt; That’s it!  Hope this helps.
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:37pm</span>
OpenConnect has introduced new advanced training packages that enable our customers to maximize the value of their WorkiQ investments. WorkiQ, the first desktop analytics suite designed specifically to measure back office operational intelligence, is fast becoming a standard in claims, enrollment, and membership in the largest Health Plans in North America.   Our customers are seeing, on average, a 3-5 month payback in savings and productivity efficiencies. The new advanced training programs are designed to support growth into new teams or business units, enhancing the usage of the data through new reports and dashboards.   The training is provided either on-site at a customer location or it can be delivered virtually for remote teams.   Below is a brief description of the new courses. WorkiQ Advanced IT Training (1 day) The Advanced IT Training provides more in-depth server maintenance and troubleshooting tips including database queries and health checks. WorkiQ Advanced Admin Training (1 day) The Advanced Administration Training goes deeper into employee management and trouble-shooting, covering license management, Gatherer status checks and using Gatherer Groups to separate Gatherers for troubleshooting or testing new features. WorkiQ Advanced Report Training (1 day) The Advanced Report Training takes WorkiQ reporting to a new level, with instructions on how to add external reports and build custom web pages that can be displayed through WorkiQ, as well as tips on using the Chart Wizard and Datasets. WorkiQ Mentoring (1 day) WorkiQ Mentoring can be used for more personalized, one-on-one training on any topic or area of WorkiQ. WorkiQ Process Training (1 day) Process Training teaches WorkiQ Administrators how to define and implement Processes and view the results of the Process Data through WorkiQ reports.  Process Training includes use of the Desktop Designer - WorkiQ’s tool for designing panels for Processes.   If your organization is ready to enhance your usage and knowledge of WorkiQ, please contact your Account Executive for pricing and availability.   The post Advanced WorkiQ Training appeared first on WorkiQ Blog.
WORKIQ   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:37pm</span>
  As everyone knows, SCOTUS ruled 5 to 4 that same sex couples have a constitutional right to marry. The full case is cited below. The opinion is consistent with the growing support for (or at least acceptance of) same sex marriage.  I spent Friday reading social media postings, including tweets.  There were strongly felt emotions expressed on both sides of the issue. These conversations will not end on social media this weekend.  They will spill into workplaces next week and for the indefinite future. It is not practical nor desirable to prohibit such discussions.  Indeed, because of the connection...
SHRM   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:37pm</span>
I’m Nan Wehipeihana, a member of the Kinnect Group in New Zealand and co-editor of a forthcoming book on Developmental Evaluation Exemplars. I want to share what we have learned about roles and responsibilities in Developmental Evaluation (DE) by reviewing the reflective practice experiences of DE practitioners. Hot Tip: Understand the implications of DE being embedded in innovative and complex situations. This means: Evaluative advice is ongoing, iterative, rapid and adaptive. The evaluator can expect to work closely and collaboratively on the development of the innovation as well as the evaluation. The DE evaluator will play a number of roles and innovators will become evaluators. The tools and approaches the DE evaluator will draw on will come from many fields and disciplines. Hot Tip: Because DE is collaborative, it is fundamentally relationship-based. This makes clarity about roles and responsibilities essential. Rad Resource: Know and practice 5 critical DE roles and responsibilities: Hot Tip: Four practice-based ways of building the credibility and utility of DE Identify, develop, and use an inquiry organizing framework. Layer and align data with the organizing framework. Time data collection, reporting and sense making to meet the needs of key stakeholders Engage in values based collaborative sense making Cool Tricks: Effective and experienced DE practitioners do the following: Place priority on deep understanding of the context Appreciate the varying needs of different stakeholders in relation to the innovation Build and nurture relational trust between the evaluator and the social innovators and funders Build a deep well of evaluation and methodological experience Maintain clarity of purpose - supporting innovation development and adaptation The American Evaluation Association is celebrating Developmental Evaluation Week. The contributions all this week to aea365 come from evaluators who do developmental evaluation. Do you have questions, concerns, kudos, or content to extend this aea365 contribution? Please add them in the comments section for this post on the aea365 webpage so that we may enrich our community of practice. Would you like to submit an aea365 Tip? Please send a note of interest to aea365@eval.org. aea365 is sponsored by the American Evaluation Association and provides a Tip-a-Day by and for evaluators. Related posts: Developmental Eval Week: Michael Quinn Patton on Developmental Evaluation Principles Michael Quinn Patton on Developmental Evaluation Kirk Knestis on How Evaluators can Help Clients with Proposals in an Innovation Research and Development (R&D) Paradigm
AEA365   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:36pm</span>
This blog is part of the following series: Installing and configuring the Lotus Domino Server  - Part 1 Search Lotus Notes Documents from SharePoint 2013 - Part 2 Search Lotus Notes Documents from SharePoint 2013 - Part 3 Overview Recently I was installing the latest Lotus Domino Server 9 for my development work and wanted to share the steps here. I have used a Windows 2008 Server R2. You can download the trial version of Domino Server 9 before starting the installation. Steps Step 1: Start by installing the Lotus Domino server on server1. This is the executable file we are now going to install. Double click and start   Step 2: Accept the defaults and click Next. The files are now being extracted for installation. Step 3: The install wizard has now started. Click Next to advance to the following screen. Step 4: Click Next to Continue Step 5: Enter the Domino server program files File path. I am changing it to another folder. Step 6: The path where the data files get installed is now directing the new path. Accept and continue. Step 7: Choose the Enterprise server from the options given. Step 8: A screen is now displayed that shows the choices made. After this the actual installation starts. Step 9: Now we wait for the installation to finish. Step 10: Lotus Domino server is now installed. Step 11: We now see 2 icons after the installation is complete on the Desktop of the server. First one is Domino console. 2nd one is the Actual Domino Server. Now we are going to start the Domino Server. Click the server icon and continue. Step 12: Start Domino Server  configuration The next screen provides 2 options: Setup the first server or a standalone server Setup an additional server This is our first time installation, so we are choosing "Setup the first server or a standalone server". Click next to continue. Click Next to continue Enter the server name as "Domino2". So this server is going to be named Domino2/&lt;name&gt;. The &lt;name&gt; part will be filled in later. Click next to continue. This screen is one of the most important screens in configuring a Notes/Domino environment. This will also give a file (cert.id) and the password. Enter Domino Domain Name. We are giving the Organization name here, but it can be random. Click Next to continue In this screen we’ll register an administrator account. Here I am going to enter my name, but it can be any user, just make sure that it is a "unique" name We’ll also save a local copy of this ID file, as we will use that later on. Click Next to continue. The next screen allows us to enable/disable various services we want to load on our server. We’ll uncheck all for now and click Customize. Click Cancel, and continue with Next in the previous screen. We can configure the network settings from this screen. Make sure the hostname listed is ping-able on both the server and all clients in the network. Click on customize to configure this. Enter the hostname in both highlighted fields and click on Ok to close the dialog. Click Next to advance to the next screen. Accept the defaults in this screen, as it increases the standard security level. Review your settings and click Setup to continue the configuration setup. Wait until this process completes. Congratulations, the installation has now been completed. We now have 3 very important files that are the base of a Lotus Domino environment. The Certifier ID (cert.id) The Server ID (server.id) The Administrator ID (admin.id) These files should be kept safe at all times, as they will allow you to do all the interesting things. Start Domino Server. Double click the Lotus Domino server icon on the Desktop. When you click that, you’ll get the following prompt. The following screen display’s: We choose "Start Domino as a Windows service" and we check both checkboxes at "Always start Domino as a service at system startup" and "don’t ask me again" before clicking OK. The server now started in the background, so we double click the "Lotus Domino Console" icon on the desktop. When you click that, you’ll get the following prompt : The Lotus Domino Console application lets you view the Lotus Domino server console, and here we are allowed type in commands directly on the server. Now your Domino server is ready. Next step is to install a Lotus note Client. Note:  if you want to run your Domino server as a web server, type the command "load http" and send in the Domino Console. Looking forward to your comments and questions!
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:36pm</span>
Hi, I’m Nora F. Murphy, a developmental evaluator and co-founder of TerraLuna Collaborative. Qualitative Methods have been a critical component of every developmental evaluation I have been a part of. Over the years I’ve learned a few tricks about making qualitative methods work in a developmental evaluation context. Hot Tip: Apply systems thinking. When using developmental evaluation to support systems change it’s important to apply systems thinking. When thinking about the evaluation’s design and methods I am always asking: Where are we drawing the boundaries in this system? Whose perspectives are we seeking to understand? What are the important inter-relationships to explain? And who benefits or is excluded by the methods that I choose? Qualitative methods can be time and resource intensive and we can’t understand everything about systems change. But it’s important, from a methodological and ethical perspective to be intentional about where we draw the boundaries, whose perspectives we include, and which inter-relationships we explore.   Hot Tip: Practice flexible budgeting. I typically budget for qualitative inquiry but create the space to negotiate the details of that inquiry. In one project I budgeted for qualitative inquiry that would commence six months after the contract was finalized. It was too early to know how strategy would develop and what qualitative method would best for learning about the developing strategy. In the end we applied systems thinking and conducted case studies that looked at the developing strategy in three ways: from the perspective of individual educators’ transformation, from the perspective educators participating in school change, and from the perspective of school leaders leading school change. It would have been impossible to predict that this was the right inquiry for the project at the time the budget was developed. Hot Tip: Think in layers. The pace of developmental evaluations can be quick and there is a need for timely data and spotting patterns as they emerge. But often there is a need for a deeper look at what is developing using a method that takes more time. So I think in layers. With the case studies, for example, we structured the post-interview memos so they can be used with program developer to spot emergent patterns by framing memos around pattern surfacing questions such as: "I was surprised…  A new concept for me was… This reinforced for me… I’m wondering…" The second layer was sharing individual case studies. The third layer was the cross-analysis that surfaced deeper themes. Throughout we engaged various groups of stakeholders in the meaning making and pattern spotting. Rad Resources: Patton, M.Q. (2015) Qualitative Research and Evaluation methods, 4th Sage Publications. An upcoming book Developmental Evaluation Exemplars edited by Michael Quinn Patton, Kate McKegg and Nan Wehipeihana.  (The book will be out in September.) Hargreaves, M. (2010). Evaluating System Change: A Planning Guide AEA 356 Systems Week: Bob Williams on A Systems Practitioner’s Journey The American Evaluation Association is celebrating Developmental Evaluation Week. The contributions all this week to aea365 come from evaluators who do developmental evaluation. Do you have questions, concerns, kudos, or content to extend this aea365 contribution? Please add them in the comments section for this post on the aea365 webpage so that we may enrich our community of practice. Would you like to submit an aea365 Tip? Please send a note of interest to aea365@eval.org. aea365 is sponsored by the American Evaluation Association and provides a Tip-a-Day by and for evaluators. Related posts: Wilder Research Week: Caryn Mohr on Case Studies EdEval Week: Krista Collins and Chad Green on Designing Evaluations with the Whole Child in Mind QUAL Eval Week: Leslie Goodyear, Jennifer Jewiss, Janet Usinger, and Eric Barela on The Role of Context in Qualitative Evaluation
AEA365   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:36pm</span>
                                Yesterday, we kicked off our 2015 Annual Conference and Exposition. More than 15,000 HR professionals are in Las Vegas this week to focus on how our careers, our organizations and our profession can thrive. I shared my belief that we are in the decade of human capital, a time when talent is seen as the real power behind business and organizations draw clear, straighter lines between the success of their people strategies and their business success. Many...
SHRM   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:35pm</span>
Overview You are trying to install VS.net 2010 SP1 and the SP1 install fails. Then you try to run the VS.net 2010 and receive below error message. Further you cannot simply run Visual Studio. There are several approaches suggested in the internet but none really are the cause. Resolution The reason you are facing the SP1 install failure is due to the fact that install source is being accessed from the Network location. You may not have write permission (not quite sure if this was the factor in my case). Simply copy the SP 1 install source to your local machine location and install from there. The SP 1 install then continues and completes successfully.
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:35pm</span>
Overview In this blog I wanted to describe how documents can be migrated from MOSS 2007 to SharePoint 2010 environment by building a custom utility. I have used Web Services provided by SharePoint to copy number of documents from MOSS 2007 Document Library to SharePoint 2010 Document Library using SharePoint web services. SharePoint web services SharePoint provides us a list of web services for individual operations, we are going to use only two of them: 1. Lists.asmx(Web service reference: http://&lt;site&gt;/_vti_bin/Lists.asmx) 2. Copy.asmx (Web service reference: http://&lt;site&gt;/_vti_bin /Copy.asmx) Let’s take a deeper look into these web methods of these web services: From Lists.asmx web service we will use two web methods: • Lists.GetList () web method: Method Signature: public XmlNode GetList (string listName): Returns a schema for the specified list. • Lists.GetListItems () web method: Method Signature: public XmlNode GetListItems ( string listName, string viewName, XmlNode query, XmlNode viewFields,string rowLimit, XmlNode queryOptions, string webID) : Returns information about items in the list based on the specified CAML query. From Copy.asmx web service we will also use two web methods: • Copy.GetItem() web method: Method Signature: public uint GetItem(string Url, out FieldInformation[] Fields, out byte[] Stream) : Returns a Byte array representation of a document that can be passed to the CopyIntoItems method to copy the document to a different server. • Copy.CopyIntoItems() web method: Method Signature: public uint CopyIntoItems( string SourceUrl, string[] DestinationUrls, FieldInformation[] Fields, byte[] Stream, out CopyResult[] Results): Copies a document represented by a Byte array to one or more locations on a server. Programming We can achieve our goal using any of the project types (Console Application, Windows Application, Web Application, Web services etc.). A Windows application has been created into SharePoint 2010 Development Environment, two web references (Lists.asmx & Copy.asmx) of MOSS 2007 has been added into my project. Finally our programming part given below: 1. An object of each of the proxy classes which were generated after adding the web references has been created. 2. Next the Lists.GetList() web method has been called to get the listId from SP2007 Doc Lib o Input Parameter: Name of the List (For e.g. "Shared Documents") o Output: A xml node from which we can get the ListId and WebId 3. Then the Lists.GetListItem() web method has been called to get the Url of Individual documents from SP2007 List. o Input Parameters: - listName: Pass the ListId we got from Lists .GetList() web method. - viewName: If you want to use any view of SP2007 Doc Lib then specify the view name or pass NULL. - Query: CAML query that determines which records are returned and in what order. - viewFields: Specifies which fields to return in the query and in what order (eg. &lt;FieldRef Name=’EncodedAbsUrl’ /&gt;). - rowLimit: specifies the number of items, or rows, to display on a page before paging begins (eg. 50 or 500). - queryOptions: An XML fragment in the following form that contains separate nodes for the various properties of the SPQuery object. - webID: Pass the webID we got from Lists .GetList() web method. o Output: A XML node from which we can get the list of URLs of each documents of SP2007 doc lib. 4. Then the Copy.GetItem() web method has been called to get the individual document from SP2007 Doc lib o Input Parameters: - Url : Pass the individual document URL from a list of URLs that we got from Lists .GetListItem() web method o Output: - FieldInformation Array: which contains the metadata information of the document that we get from SP2007 doc lib. - Byte Array : Which contains the entire document as an array of bytes (that is a base-64 representation of the retrieved document’s binary data) 5. Next the web reference URL of the object of Copy.asmx web service has been replaced from Sp2007 to SP2010. Because we are pulling the documents from SP2007 document Library but copying into SP2010 doc lib. 6. Then the Copy.CopyIntoItems() web method has been called to copy the items that we got into byte array into SP2010 document library. o Input Parameters: - SourceUrl: Pass the individual document URL from a list of URLs that we got from Lists .GetListItem() web method - DestinationUrls: Pass the destination URL of SP2010 document library. - Fields: Pass the FieldInformationArray that we got from Copy.GetItem() web method. - Stream: Pass the byte array that we got from Copy.GetItem() web method. o Output: - Results: Finally we will get a &lt;Success&gt; message if the document moved successfully. The following Configuration used: &lt;appSettings&gt; &lt;add key="DestUrl" value="http://xyz-abcd:11111/Shared Documents/Test"/&gt; &lt;add key="DestWebservcUrl" value="http:// xyz-abcd:11111/"/&gt; &lt;add key="SrcWebservcUrl" value="http://xyz-sharepoint/sites/abstract/"/&gt; &lt;add key="ListRowLimit" value="1000″/&gt; &lt;add key="SrcRootFolder" value="XYZ Document Library"/&gt; &lt;add key="SP2007user" value="admin"/&gt; &lt;add key="SP2007pwd" value="admin123#"/&gt; &lt;add key="SP2007domain" value="XYZ-Domain"/&gt; &lt;add key="SP2010user" value="xyzuser"/&gt; &lt;add key="SP2010pwd" value="user456$"/&gt; &lt;add key="SP2010domain" value="ABC-Domain"/&gt; &lt;add key="DestRootFolder" value="Shared Documents"/&gt; &lt;add key="DestSubfolder" value="Test2010″/&gt; &lt;/appSettings&gt; C# Code snippet Used: To get the list of URLs from MOSS 2007 Document Library : public List&lt;string&gt; GetListofUrl() { List&lt;string&gt; SiteUrlList = new List&lt;string&gt;(); NetworkCredential custCred = new NetworkCredential(ConfigurationManager.AppSettings["SP2007user"], ConfigurationManager.AppSettings["SP2007pwd"], ConfigurationManager.AppSettings["SP2007domain"]); SPListServices2010.Lists listService = new SPListServices2010.Lists(); listService.PreAuthenticate = true; listService.Credentials = custCred; listService.Url = ConfigurationManager.AppSettings["SrcWebservcUrl"] + "_vti_bin/Lists.asmx"; XmlNode list = listService.GetList(ConfigurationManager.AppSettings["SrcRootFolder"]); System.Xml.XmlDocument xmlDoc = new System.Xml.XmlDocument(); string listName = list.Attributes["ID"].Value; string webID = list.Attributes["WebId"].Value; string rowLimit = ConfigurationManager.AppSettings["ListRowLimit"]; XmlDocument doc = new XmlDocument(); XmlElement query = doc.CreateElement("Query"); XmlElement viewFields = xmlDoc.CreateElement("ViewFields"); query.InnerXml = @"&lt;OrderBy&gt;&lt;FieldRef Name=’Title’ Ascending=’False’/&gt;&lt;/OrderBy&gt; "; viewFields.InnerXml = "&lt;FieldRef Name=’EncodedAbsUrl’ /&gt;"; XmlNode positionNext = null; XmlNode queryOptions = doc.CreateElement("QueryOptions"); queryOptions.InnerXml = "&lt;IncludeMandatoryColumns&gt;False&lt;/IncludeMandatoryColumns&gt;"; int count = 0; while (true) { count++; XmlNode results = null; try { results = listService.GetListItems(listName, null, query, viewFields, rowLimit, queryOptions, webID); } catch (Exception ex) { } try { foreach (System.Xml.XmlNode listItem in results) { XmlNodeReader objReader = new System.Xml.XmlNodeReader(listItem); while (objReader.Read()) { if (objReader["ows_EncodedAbsUrl"] != null) { SiteUrlList.Add(objReader["ows_EncodedAbsUrl"].ToString()); } } } } catch (Exception ex) { } positionNext = results.SelectSingleNode("//@ListItemCollectionPositionNext"); if (positionNext == null) break; else queryOptions.InnerXml = "&lt;Paging ListItemCollectionPositionNext=’" + positionNext.InnerXml + "‘ /&gt;&lt;IncludeMandatoryColumns&gt;False&lt;/IncludeMandatoryColumns&gt;"; } return SiteUrlList; } To Copy the documents from MOSS 2007 document library to SharePoint 2010 document library. public void UploadDoc(string SourceUrl, string DestUrl, string DestFolderName, string DestFileName) { NetworkCredential custCred2007 = new NetworkCredential(ConfigurationManager.AppSettings["SP2007user"], ConfigurationManager.AppSettings["SP2007pwd"]); NetworkCredential custCred2010 = new NetworkCredential(ConfigurationManager.AppSettings["SP2010user"], ConfigurationManager.AppSettings["SP2010pwd"],ConfigurationManager.AppSettings["SP2010domain"] ); try { SPcopyservices2007.Copy WebSvc2007 = new SPcopyservices2007.Copy(); SPcopyservices2010.Copy WebSvc2010 = new SPcopyservices2010.Copy(); WebSvc2007.Credentials =custCred2007; WebSvc2010.Credentials = System.Net.CredentialCache.DefaultCredentials; string copySource =HttpUtility.UrlDecode( SourceUrl); string[] copyDest = {HttpUtility.UrlDecode(string.Format("{0}/{1}/{2}", DestUrl,DestFolderName, DestFileName))}; SPcopyservices2010.FieldInformation myfldinfo2010 = new SPcopyservices2010.FieldInformation(); SPcopyservices2010.FieldInformation[] myFieldInfoArray2010 = { myfldinfo2010 }; byte[] myByteArray; WebSvc2010.Url = ConfigurationManager.AppSettings["SrcWebservcUrl"].ToString() + "_vti_bin/Copy.asmx"; WebSvc2010.Credentials = custCred2007; uint myGetUint = WebSvc2010.GetItem(copySource, out myFieldInfoArray2010, out myByteArray); WebSvc2007.Dispose(); WebSvc2010.Dispose(); SPcopyservices2010.CopyResult myCopyResult1 = new SPcopyservices2010.CopyResult(); SPcopyservices2010.CopyResult myCopyResult2 = new SPcopyservices2010.CopyResult(); SPcopyservices2010.CopyResult[] myCopyResultArray = { myCopyResult1, myCopyResult2 }; try { WebSvc2010 = new SPcopyservices2010.Copy(); WebSvc2010.Url = ConfigurationManager.AppSettings["DestWebservcUrl"].ToString() + "_vti_bin/Copy.asmx"; WebSvc2010.Credentials = custCred2010; uint myCopyUint = WebSvc2010.CopyIntoItems(copySource, copyDest, myFieldInfoArray2010, myByteArray, out myCopyResultArray); if (myCopyUint == 0) { int idx = 0; foreach (SPcopyservices2010.CopyResult myCopyResult in myCopyResultArray) { string opString = (idx + 1).ToString(); if (myCopyResultArray[idx].ErrorMessage == null) { //Successfully moved } else { //Error occured } idx++; } } } catch (Exception exc) { int idx = 0; foreach (SPcopyservices2010.CopyResult myCopyResult in myCopyResultArray) { idx++; if (myCopyResult.DestinationUrl == null) { } } } finally { if (WebSvc2010 != null) WebSvc2010.Dispose(); } } catch (Exception ex) { } } Conclusion: We can use the above steps, configurations and codes to copy the document to a different server (or from a different server) with the document metadata information. During Migration of documents from an old SharePoint environment to a new SharePoint environment this technique is very helpful. We can also recursively get all the documents from all folders and subfolders of source environment using the appropriate CAML query.
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:34pm</span>
I’m Charmagne Campbell-Patton, Director of Organizational Learning and Evaluation for Utilization-Focused Evaluation based in Minnesota, and Evaluation & Assessment Specialist for World Savvy, a national education nonprofit that works with educators, schools, and districts to integrate global competence teaching and learning into K-12 classrooms. World Savvy has staff in Minneapolis, San Francisco, and New York City. We have found reflective practice to be useful in integrating innovative program development, organizational development, and staff development. These three areas of development need to be aligned, occur simultaneously, and be mutually reinforcing. Developmental evaluation both tracks and supports that alignment. Rad Resource: Model of integrated development using reflective practice. Hot Tip: Focus the reflective practice on issues that cut across areas of development. Collaboration is a core value of World Savvy in everything we do, so we began by sharing and analyzing positive and negative experiences with collaboration. Other core values that served as the focus for reflective practice included integrity, inclusivity, excellence and (appropriately) learning & reflection. Hot Tip: Make reflection together a regular practice. Of course, everyone is busy and it is easy to let reflective practice slide. World Savvy has committed to doing it quarterly and making time to do it well. Hot Tip: Reflective practice involves staff learning and using skills in recounting an incident descriptively, listening attentively, identifying patterns across stories, generating insights and lessons, and identifying actions to take from what is learned. All of this is enhanced with regular practice. It is also an effective way to intergate new staff into the organization’s culture and the meaning of core values. Hot Tip: Ask staff to identify what they will share in advance so they come prepared. Even better, have them bring the experiences they will share in writing to contribute to the documentation of reflective practice engagement and learning. Cool Trick: Begin each session with a review of what emerged in prior sessions to provide a sense of what has been developing. Cool Trick: Use small groups. If facilitating the session remotely or with more than 10-15 participants, use breakout rooms or small groups as a way to create an environment more conducive to sharing. Hot Tip: Follow through with action. Reflective practice typically yields insights with actionable implications. Failure of the program or organization to follow through can undermine interest in future reflectice practice sessions. Rad Resources: Patton, M.Q. (2015) "Reflective practive guidelines" in Qualitative Research and Evaluation Methods, 4th ed. (Sage), pp. 213-216. Patton, M.Q. (2011). "Reflective practice for developmental evaluation," in Developmental Evalkatiion: Applying Complexity Concepts to Enhnace Innovation and Use (Guildfiord Press), pp. 265-270. The American Evaluation Association is celebrating Developmental Evaluation Week. The contributions all this week to aea365 come from evaluators who do developmental evaluation. Do you have questions, concerns, kudos, or content to extend this aea365 contribution? Please add them in the comments section for this post on the aea365 webpage so that we may enrich our community of practice. Would you like to submit an aea365 Tip? Please send a note of interest to aea365@eval.org. aea365 is sponsored by the American Evaluation Association and provides a Tip-a-Day by and for evaluators. Related posts: DE Week: Nora F. Murphy on What’s Different in Developmental Evaluation? DE Week: Michael Quinn Patton on Developmental Evaluation DE Week: Wade Fauth and Allison Ahcan on the Mountain of Accountability
AEA365   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:34pm</span>
  It is appropriate that as I finish this series, a pot of my coveted sauce is actually simmering on my stove.  Over these musings, I covered the posting and the story behind the role, moved forward to the research and networking, then the important vetting process in preparations for "game day" and actually meeting the candidates.  In keeping with my cooking analogy, the final chapter is equivalent to the taste-testing and re-seasoning of the sauce. My goal is for no surprises at the end.    I am...
SHRM   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:33pm</span>
Overview While you are opening Newsfeed and clicking on the following items you will face the below error/warning. Everyone: SharePoint returned the following error: The operation failed because the server could not access the distributed cache. Internal type name: Microsoft.Office.Server.Microfeed.MicrofeedException. Internal error code: 55. Contact your system administrator for help in resolving this problem. Following: It’s pretty quiet here. Follow more people to see activity in your newsfeed, or see what everyone is talking about. Everyone: We’re still collecting the latest news. You may see more if you try again a little later. Scenario Each services are using separate service accounts to configure SharePoint 2013. Diagnosis Check the distributed cache service is running on target server and cache cluster is up. Use the following PowerShell command to check the distributed cache host Use-CacheCluster Get-CacheHost Cause: 1. The user profile service account does not have Full Control permission on User Profile service. 2. The distributed cache service account does not have Full Control permission on User Profile service. 3. The user profile service account does not have Full Control permission on my site web application. Solution: To correct this issue, complete the following steps: 1. Log onto the SharePoint 2013 Central Administration site as a farm administrator 2. Navigate to ‘Manage Service Applications’ 3. Highlight the User Profile Service Application 4. Click the ‘Permissions’ ribbon toolbar button: 5. Add the account that is used to run the User Profile Service Application and give it full control 6. Add the account that is used to run the Distributed cache Service and give it full control: 7. Click OK At this point it is usual to see the following displayed in the ‘Everyone’ tab of the user’s MySite: 8. Open the SharePoint 2013 Management Shell by right-clicking and choosing ‘run as administrator’ Issue the following PowerShell commands: $wa = Get-SPWebApplication http://&lt;MySiteURL&gt; $wa.GrantAccessToProcessIdentity("domainUPSApp") At this point, the newsfeed should be up and running successfully: Now everything will be shown as expected.
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:33pm</span>
I am Ricardo Wilson-Grau, an evaluator based in Rio de Janeiro but working internationally. Increasingly, I am called upon to serve as a developmental evaluator, I have found the concept of "inquiry framework" (Chapter 8 in Developmental Evaluation[1]) to be invaluable for co-creating developmental evaluation questions and agreeing how they will be answered. As Michael Quinn Patton says: "Matching evaluation questions to particular situations is the central challenge in developmental evaluation’s situational responsiveness and adaptability…".[2] DE does not rely on any particular inquiry framework, just as its toolbox is open to a diversity of designs, methods and tools. What is appropriate depends on the innovation challenges a project, program or organization faces at a given point in time. For example, with one client I used a complexity inquiry framework to support the two-month design of a regional peace-building initiative in a continent with a track record of failures in similar attempts. Then, we considered these potential frameworks to support the first stage of implementation: a) Driving innovation with principles, b) Focusing on systems change, c) Fomenting collaboration for innovation, d) Confronting wicked problems and e) Outcome Harvesting. In the light of the nature of the developmental challenge this emerging initiative faced, there were sound reasons for using one or more or a combination of these frameworks. The client’s most pressing immediate need, however, was to know in as real time as possible what observable and verifiable changes it was influencing in actors who could not be predetermined. Thus, they choose Outcome Harvesting. Hot Tip: Are you are in a situation of social innovation that aims to influence changes in behavior writ large — from change in individual actions to organizational or institutional changes of policies or practices? Do you need concrete evidence of those achievements as they happen, along with an understanding of whether and how the innovative efforts contributed to those changes? If yes and yes, Outcome Harvesting may be a useful inquiry framework for you. Rad Resources: In this video I explain in less than three minutes the Outcome Harvesting tool. There you will also find further information. You can obtain more information about Outcome Harvesting at Better Evaluation. To explore using the tool with a client, consider this animated PowerPoint slide to support you in operationalizing the iterative six Outcome Harvesting steps. [1] For more on developmental inquiry frameworks, see Michael Quinn Patton, Developmental Evaluation: Applying Complexity Concepts to Enhance Innovation and Use, Guilford, 2011, Chapter 8. [2] Ibid, pages 227-228. The American Evaluation Association is celebrating Developmental Evaluation Week. The contributions all this week to aea365 come from evaluators who do developmental evaluation. Do you have questions, concerns, kudos, or content to extend this aea365 contribution? Please add them in the comments section for this post on the aea365 webpage so that we may enrich our community of practice. Would you like to submit an aea365 Tip? Please send a note of interest to aea365@eval.org. aea365 is sponsored by the American Evaluation Association and provides a Tip-a-Day by and for evaluators. Related posts: Ricardo Wilson-Grau on Outcome Harvesting DE Week: Nora F. Murphy on What’s Different in Developmental Evaluation? DE Week: Michael Quinn Patton on Developmental Evaluation
AEA365   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:33pm</span>
Overview You are using SharePoint 2007, 2010, 2013 as On Prem. You are implementing Site Columns and Content Types to support your desired Taxonomy and document object models within your organization. Either in a near future or you are in the process of moving to the cloud with O365, completely or partially for collaboration workloads. Beware of your implementation choices for Site Columns and Content Types and what is upcoming! Background Currently you have following options to implement the Site Columns and Content Type structures within the SharePoint platform and what it means to you. Options for implementing Site Columns and Content Types and the impact: Deploying over the browser from Site Settings&gt;Galleries&gt;Site Columns or Content Types SharePoint determines the GUID assigned for ID Site Columns and Content Types are coded in to the content database  Deploying Declaratively: By XML Site Column and Content Type Definitions in the form of Elements.xml Baking the above XML definitions in to the Feature Solution You determine the GUID assigned for the ID Eventually deploying the solution to run as Full Trust Code (FTC) Site Columns and Content Types are coded in to the content database Impact of GUIDs Impact of the Site Columns and Content Type IDs which are in the form of GUIDs When you upgrade this site collection to next available version, the GUIDs are maintained. When you are migrating to O365, you will need a tool to migrate the content. You will need a commercial migration tool or custom code written tool by yourself. You should ensure to retain the GUIDs of your Site Columns. You want to retain the GUIDs so that the Site Column referencing libraries and lists data are intact. Issue Like we all know there is no support for Farm Solutions with O365, we have no option to deploy our Site Columns and Content Types with our desired GUIDs. Content Type Hub If you have deployed a Content Type Hub configuration to consolidate your enterprise Site Columns and Content Types, with migration to O365, you are still stuck with the above issue. (Also please read below how the migration products behave) Migration products behavior with the GUIDs The major migration product vendors I had spoken to, comment that they cannot retain the Site Column and Content Type GUIDs while their tools copy over for obvious reason. However, post the copy process the tools will reset such GUIDs to be all in synch. Alternative Coding/Scripting Options For those who have to opt for custom development option, beware of below aspects: You can implement Site Column with a specific GUID via the AddasXMLSchema method on the SPWeb.Fields object. However ContentType does not have similar AddAsXMLSchema support API. However you can implement Content Type with your specific GUID via new SPContentType object and assign the GUID to the myContentType.ID field Update with SP1 With the recent release of SP 2013 SP1, CSOM APIs has been now revised to support the assignment of specific ID for the content type creation. From KB2817429 Developers are unable to specify a Content Type ID when creating Content Types in the client object model. For example see http://blogs.msdn.com/b/vesku/archive/2014/02/28/ftc-to-cam-create-content-types-with-specific-ids-using-csom.aspx
Netwoven   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:32pm</span>
  How do we teach the people we hire? Generally, businesses look for people who can already do most of the tasks required of them for a job, then teach them the rest as they work. This is often known as the 70:20:10 rule in learning management, where 70% of employee training comes from simply doing their job, 20% from speaking with their coworkers, and 10% from formal training. But as time goes on, employees often need targeted professional development in order to proceed to the next phase of their careers (and...
SHRM   .   Blog   .   <span class='date ' tip=''><i class='icon-time'></i>&nbsp;Jul 27, 2015 12:32pm</span>
Displaying 29545 - 29568 of 43689 total records