by

Duet Enterprise: Derived Key Token Cannot Derive Secret

In the process of connecting SAP and SharePoint, one of the steps is to ask the SAP Administrator to provide to provide a whole bunch of BDC models. These models will then be incorporated into the SharePoint BCS and then make the SAP tables available in the SharePoint site.
duet-enterprise-sharepoint-sap
Sounds simple, except for the fact that, more often that not even if you follow the steps to the letter, one might come across the following error message:
security configuration error: derived key token cannot derive key from the secret
This is caused mainly by SAP configuration (or lack of it), but do not put the blame on them...getting Duet to work sometimes it is a daunting task.
How to track that down?
Listen to the network: well, one of the things you can do it to see what's going on is using the good old network sniffing tools. I suggest to you the Network Monitor, but feel free to use what ever you want. By listening to the traffic flowing from SharePoint to SAP you will have a clue it the connection is established.
duet-enterprise-sharepoint-sap - 2
If you hear nothing, this lead to the conclusion that BCS might not be connecting at all. Check the SAP endpoints, find out how the HTTPS port is configured. Do not assume SAP is using the default HTTPS port number. The best way to find this out: open the endpoint URL with your favourite browser.
If you can browse, the issue is likely security. Check the security configuration of the Duet accounts involved. Check the SSO accounts.
If you can not browse, check if there are any firewall blocks between the SharePoint farm and the SAP gateway servers.
  duet-enterprise-sharepoint-sap - 3
if there are no devices or security rules blocking the network connection then we must go to the mythic land of the SAML.
You see…for Duet Enterprise to work , the endpoint requires that the SAML issuer configured in the SAP side must be correct. If it is not, this will result in a token issued incorrectly, which will then reflect in the BDC schemas exported from SAP, and since the schemas are going to be generated with different keys, the BCS models and calls to endpoint won't work. The fix is in the middleware, the SCL.
duet-enterprise-sharepoint-sap - 4
This used (maybe still is...) a very tricky thing because the only way to fix this is dealing with XML manually (I know...sorry for you in advance). On a positive note, I understand that in Duet Enterprise FP1 there is an automated tool, but I haven’t be able to work with FP1 yet.
If you don't have access to this XML tool to “spot the not-right”, I suggest you to try these steps:
duet-enterprise-sharepoint-sap - 5
  1. If you see the KeyType element, try to change to PublicKey. (check the WSDL endpoint exposed by the SAP)
  2. Remove all BCS definitions from SharePoint
  3. In SAP, regenerate all BDC definitions.
  4. Reimport them all into SharePoint
Every Duet Enterprise project I've seen was a success so far, however nobody said it is always easy.

By

by

Test Drive: Xbox SmartGlass on Windows 8

If you have installed the new Windows 8, you will notice there is an application called Xbox SmartGlass. SmartGlass at first seems just like a regular app that talks about movies etc., however it integrates completely with your Xbox experience. Here’s how to setup your SmartGlass.
11
In your Windows 8 Start menu, tap the Xbox SmartGlass application.
Untitled
Your Windows 8 device will try to connect to the Xbox console. Make sure you are connected to the internet and your Xbox Live account is on.
2 3
In a few seconds the two devices will start trying to “talk” to each other. Once the connection is established, your windows 8 notebook or tablet will be effectively part of your Xbox ecosystem. Like a remote control.
From your tablet, now you can access to the Xbox 360 Dashboard. If you have a 360 dashboard in your console you will notice that it is not quite exactly the same look of your Xbox, but it definitely has all the functions, just that they are adapted to the tabled.
4 5
Your tablet or notebook becomes truly a Xbox controller. Swipe your fingers across the screen and you see that your Xbox will respond to it. In a more detailed view, you can see how the surface of your tablet is configured as a SmartGlass controller. We even have access to the typical controller buttons.
7 9
Now one of the coolest things. If you have Xbox applications like Vevo, Foxtel on Xbox etc. You can control and watch movies from it. In this case I am playing the movie Gattaca.
but wait, there is more! Microsoft went one step ahead. Look that in your SmartGlass is able to retrieve and display detailed information regarding the movie. The device I am using is not a Windows 8 “official” tablet. but the expectation is that we will be able to find more information about the movie, characters, actors as we watch and even streaming the movie to the tablet…making the whole media experience superb! You can potentially leave your room and continue watching the movie in the tablet.
Another great feature is that SmartGlass is a “dockable” application, so you can continue using your Windows 8 environment for work, editing Office documents, browsing the internet and at the same time keep watching the movie in the left side of the screen.
10
All in all, Windows 8 is amazing so far and Xbox will definitely become more than just a gaming console. I can’t wait to get my hands in the first Microsoft Surface and try all these things. Have a look at the video demoing the Xbox SmartGlass

Cheers,

By

by

How To Count How Many Pages in SharePoint Site Using PowerShell

Some tasks you don't need to go ask the developers to create a feature for you. Don’t worry about them.
Again, here’s another script for the casual SharePoint Administrator, Developer or Project Manager that does not require much work or knowledge of SharePoint. How many pages a site has? Let’s go to the bits. You can use this little script below:

function count-items-by-site-by-list-type($URL, $BASETEMPLATE) 
{     
    $site = Get-SPSite $URL     
    $totalItems = 0     
    foreach($web in $site.AllWebs)     
    {         
        $lists = $web.Lists         
        for ($i=0; $i -le $lists.Count – 1; $i++)          
        {             
            $list = $lists[$i]             
            if ($list.BaseTemplate -eq $BASETEMPLATE)             
            {                 
                $totalItems = $totalItems + $list.Items.Count             
            }         
        }             
    }     
    $site.Dispose()     
    write-host $totalItems 
}




This script counts all the items for a given list type. So for example, if you want to count how many pages there are in the following http://www.myProjectSite.com you should do this:


count-items-by-site-by-list-type http://mySite/ "WebPageLibrary"


You can get any result; project items, total of tasks, total of persons, total of documents…anything. The possible values for the $BASETEMPLATE parameter can be found in this link.


What if I have pages not only in page libraries but across any library?


Then you can use this modified version. Remember this code will run a bit slower so I’ve put some visual clues as heartbeat indicators.



function count-pages($URL)
{    
    $site = Get-SPSite $URL    
    $totalPages = 0    
    foreach($web in $site.AllWebs)     
    {         
        write-host        
        write-host "Processing:" $web.Url        
        $lists = $web.Lists        
        write-host "(lists found ):" $lists.Count        
        write-host "-------------------"        
        for ($i=0; $i -le $lists.Count – 1; $i++)        
        {             
            try            
            {                
                $list = $lists[$i]                
                for ($j=0; $j -le $list.Items.Count – 1; $j++)                
                {                    
                    $item = $list.items[$j]                    
                    if ( $item.Url.ToLower().EndsWith(".aspx") )                    
                    {                        
                        $totalPages++                        
                        write-host -fore green -back green " " -nonewline                    
                    }                
                }            
            }            
            catch                
            {                
                write-host -fore red -back red " " -nonewline            
            }        
        }    
    }    
    $site.Dispose()    
    write-host    
    write-host "----------------------------------"    
    write-host "total pages found--->" $totalPages
}



Cheers,

By

by

How To: Fix relative broken links in SharePoint (using PowerShell)

Scenario: There is project website in the production environment. How can we replicate that same environment for a test/development environment?
One of the options would be to backup and restore the whole site via SharePoint granular backup. However if you have a domain name specific for test (something like http://myprojectTEST.com) then you have to adjust the links that will likely come broken.
sharepoint-broken-links-migration_thumb[2]
The PowerShell script below address this case. It works similar to a string replace; the difference here is that it works in the navigation links.
function fix-quicklaunch-links([string]$URL, [string]$oldString, [string]$newString) 
{ 
    $errorFileName = "c:\temp\fix-quicklaunch-links-ERROR.txt" 
    $successFileName = "c:\temp\fix-quicklaunch-links-SUCCESS.txt" 

    $site = Get-SPSite $URL 

    $totalWebs = $site.AllWebs.Count – 1
    foreach($web in $site.AllWebs) 
    { 
        Write-Host 
        Write-Host -fore white -back blue "Processing web: " $web.Url 
        $nav = $web.Navigation 
        $quicklaunch = $nav.QuickLaunch 

        $totalQuickLaunch = $nav.QuickLaunch.Count - 1 
        for ($i=0; $i -le $totalQuickLaunch; $i++) 
        { 
            $mainlink = $quicklaunch[$i] 
            $linkurl=$mainlink.Url 

            if ($linkurl.Contains($oldString)) 
            { 
                try 
                { 
                    $mainlink.Url = $linkurl.Replace($oldString, $newString) 
                    $mainlink.Update() 
                    write $linkurl | Out-File -filepath $successFileName -append 
                    write-host -fore green -back green "." -nonewline 
                } 
                catch 
                { 
                    write $linkurl $_.Exception.Message | Out-File -filepath $errorFileName -append 
                    write-host -fore red -back red "." -nonewline 
                } 
            } 
            $totalChildren = $mainlink.Children.Count - 1 

            for ($j=0; $j -le $totalChildren; $j++) 
            { 
                $child = $mainlink.Children[$j] 
                $childurl = $child.Url 

                if ($childurl.Contains($oldString)) 
                { 
                    try 
                    { 
                        $child.Url = $childurl.Replace($oldString, $newString) 
                        $child.Update() 
                        write $childurl | Out-File -filepath $successFileName -append 
                        write-host -fore green -back green "." -nonewline 
                    } 
                    catch 
                    { 
                        write $childurl $_.Exception.Message | Out-File -filepath $errorFileName -append 
                        write-host -fore red -back red "." -nonewline 
                    } 
                } 
            } 
        } 

        $web.Update() 
    } 

    $site.Dispose() 

    $finaldate = Get-Date 
    write-host 
    write-host -fore white -back blue "End of processing ("  $finaldate ")"
}
 





so if you are migrating from http://myprojectsite to http://myprojectsiteTEST you would call the function as:


fix-quicklaunch-links “http://myprojectsite” “http://myprojectsite/” “http://myprojectsiteTEST/”


The script will run across the site you specify in the parameters and it will traverse all the sub sites and navigation links under it. At the end it will generate 2 log files in the c:\temp folder with the errors and successes during the process.


I hope it helps someone with this issue.

Cheers,

By

by

How To Create Cascading Dropdowns SharePoint 2010

Scenario: You want to be able to add items to a list where the values of the “dropdown 1” are dependent on the selected “dropdown 2” value. As in the figure below.
1

Unfortunately that’s not an out of the box feature in SharePoint, however you can achieve that with a mix of jQuery and Content Management.
It is not complicated and if you follow these instructions, you don’t even need jQuery background to achieve it. The first step is to create 2 lists: one for the parent values (in our sample, Countries) and one for the children values (in our sample, cities)
In the countries list, leave the Title column to be the country name.
2
In the cities list, leave the Title column to be the city name; Additionally, create a new column called Country which will map to the same values you will enter in Title column of the country list. From now on, let’s refer to this list as a Relationship List.
3
Now, in the main form create 2 linked columns: One pointing to the Title column in the city list and the other pointing to the Cities column in the Cities list (the relationship list)
In our sample, the column linked to the countries list is called CountryLookup.The column linked to the cities will be called CityLookup. Below you see them and their definitions:
4
5
6
Now comes the part 2, when we will use the jQuery engine to power our solution. You will need to download the jQuery library and the SPServices library.
Place these files in a library which your site has access.
7
Now, in your main list we are going to modify the way the add new items to the list works. If you never done that, not a problem, you will see that’s very easy. In the list ribbon, choose the option to edit the Default New Form.
8
The form below will appear. Click add a web part link and place there a content editor web part.
9
In the content editor, add the code below. Do not add as text, make sure to add as HTML.

<script language="javascript" src="/js/jquery-1.8.0.min.js" type="text/javascript" />
<script language="javascript" src="/js/jquery.SPServices-0.7.1a.min.js" type="text/javascript" />    
<script language="javascript" type="text/javascript">     

    $(document).ready(
    function()   
    {             
        $().SPServices.SPCascadeDropdowns(           
        {             
            relationshipList: "Cities",  
            relationshipListParentColumn: "Country",  
            relationshipListChildColumn: "Title",                 
            parentColumn: "countrylookup",  
            childColumn: "citylookup",  
            debug: true
        });
    });
</script>




Save the form and that’s it. Try to add a new item to the list and you will see that when you select the country dropdown, the cities will be automatically updated to reflect only the cities that match the country.


Cheers,

By

by

How To: Annual Performance Indicators

I was trying to find some good metrics to use as annual review for people. I know, I know...annual review can be a drag sometimes but this is the process, this is the rule and we have to abide to it. After all, think about it: it is for our own improvement. If you are relatively new to the process. It can be difficult sometimes to find KPIs to measure people performances.
So my line of thought was to first identify potential in people, and the easier for me was by comparison. I sit down during the last EPL match interval over the weekend and wrote down a few points that might offer me some clue on how to achieve this. After I found the potential indicators, I then cross-check this with someone experienced and insightful. (in my case, I used my mother's advices)
A few things were left out, a few things she suggested to be included. What you read here is not a definitive list but just a few points to help my task to be more manageable..of course I am sharing this hoping that it also help others during their annual review process.
The Fascination Indicator
My mom, for instance, she's a great leader. Don't ask me why or how, but people just follow her. People are always sitting around her and listening when she speaks. Including people that happens to just have met her soon realize how leading role in conversations. I think one of the key things to measure in leaders is their ability to relate to our dreams/aspirations. Somehow, leaders can identify what makes us tick and drive that force ahead. The leader might not even believe in our dreams but knows that it is important for the dreamer and that positioning sends a powerful message. "I might not agree with you but you know what, I understand you and I can help you make that happen and at the same time aligning it to my things"
The "What are you doing?" Indicator
Great leaders and great managers share something in common: both know what they wanted to do. The difference is that leaders know how to get others to do things, by sending a message of importance. If people don't know the reasons why they do things and what they are doing, they wont wear the team's jersey.
ok...so if I elaborate a bit more on this I think we can say that leaders know how to tell people what to do, not how to do. ( Maybe great managers know the 'how to do'? )
The Innovation Indicator
Great leaders encourage people to think and to innovate, to be creative. Great leaders are also not necessarily the most skilful, to be honest most of the great leaders I've known are average technically but exceptional in 2 or 3 facets. To this point, I would like to think that excellence is required, not perfection. One can't be be perfect, but one can aim at that being excellent.
 
The Care Indicator ("our hopes and expectations, black holes and revelations")
We all know that, as individuals, we work very hard for the customer satisfaction. Most of us have already a great deal os successes and maybe a few failures in our belt (failures are important and I will write about this later on). Important question here is: Are you being taken care of? Are your strengths and weaknesses being recognized?
The Humble Indicator
That's a hot topic. Every now and then I come across people who says this is NOT an important aspect of life. If you think it is not, I completely understand your position...however this post is mine, so I am going to count it as a valid point :)
Try to think about the moments when all the glory and joy and smiles were shared with you as a team. Think about the winning moments. The humble people and successful people tend to share all their pie with everyone. not sure why, but I like to believe that no one can do anything alone ( again, another hard topic...but bear with me on this one, please ) and if everyone is happy in the final, everyone will want to have another victory like that.
The Character Indicator
Being honest, truthful, accountable. He was dependable. When he gave you his word, you always knew you could count on it. He didn't cheat. He didn't try to find the easy way out of a tough situation. He didn't waffle on his principles. He was not inflexible, but there simply were limits that he wouldn't cross.
The Motivation Indicator ( "Come with me if you want to live" )
We earthlings do things because we want to do them. I sometimes do things because I expect something else to happen, either be a good feedback for my annual review... or record a podcast with no experience at all..just because I want to have the experience. Whatever the reasons are, at the heart of it is motivation. Is the person you are thinking a motivator? does he makes you think about things you haven't considered and having a go at it?
The Likeability Indicator
Both managers and leaders share this same aspect, both are very likeable people. They must be. Teams depend on it. Selling ideas to the masses. People needs to be approachable and likeable in order to sell their pitch to others.
The Time Management Indicator
Another good point to note is the time management aspects. Time is the most valuable asset in our lives. People who genuinely cares about you spend quality time. Think about those monthly 1:1 meetings and how do you feel before the meeting and after the meeting.
The Gel indicator
To "gel with someone" is probably the #1 indicator of the likeability and leader relationship. When engaging in a conversation both of you speak at the same speed? Do you mirror gestures? when someone smiles, does he/she looks away from you or keep face contact?
I am open to discussion, to elaborate the points, to take in other suggestions. I see this as a collaborative exercise and I hope it can be helpful to you, reader, somehow.

Cheers,

By

by

Melhor cidade do mundo para morar

Todos os anos em Agosto/Setembro a revista Economist Intelligence Unit distribui o relatorio "World’s Most Liveable City”, as melhores cidades do mundo para morar. Em 2012, 140 cidades foram “entrevistadas” e mais uma vez Canada e Australia dominaram as 10 primeiras posicoes. Na verdade somente Viena conseguiu entrar na lista fora desses dois paises.
O preco do relatorio: quase $6000, obviamente nao vou pagar para escrever um post, mas consigo saber quais sao os macro-criterios para a eleicao:
  • Cidades de tamanho medio (entre 1-3 milhoes)
  • Cidades com baixa densidade populacional
  • Cidades localizadas em paises economicamente ricos.
A explicacao para somente incluir paises ricos e’ que significa que eles podem oferecer excelentes atividades familiares, de graca ou a baixo preco, sem afetar indices de criminalidade ou carga na insfraestrtura. Ou seja, dificilmente um pais da America Latina vai figurar bem nesse ranking. A nao ser que venhamos realmente a virar uma nacao economicamente rica. A cidade da America Latina mais bem colocada e’ Santiago, Chile (#63)
O Meu Ponto de Vista
NYC, Paris e Londres NAO estao na lista dos melhores lugares do mundo para viver…ou melhor, estao…mas la no meio/final da lista. Pergunte para qualquer pessoa que more em Sydney, Toronto etc e voce vai escutar que todos eles facilmente deixariam suas cidades para viver em NYC, Paris, Berlin etc.  Essas sao cidades verdadeiramente globais, com um universo de eventos todas as semanas e para todo tipo de publico. Entretanto estao rankeadas como “not-so-good to live”.
Pergunte ao The Economist porque e vao te dizer que elas tem indices de criminalidade mais alto, infraestrutura mais carregada etc.
Mas quem visita/mora nessas cidades nota que:
  • Sim, tem criminalidade mais alta, mas mesmo assim ainda e’ extremamente baixo comparado com o resto do planeta. (afinal de contas, estao comparando criminalidade com Vienna..).
  • Sim, tem metros e onibus mais lotados; mas mesmo assim ainda sao muito melhores do que a grande maioria do mundo. Os services funcionam, na hora, e 24 horas por dia.

Essas cidades de baixo ranking, sao extremamente desejadas no mundo todo (mas nao de acordo com a revista Economist) e pelo menos eu moraria facilmente nelas mesmo com esses “problemas”. Outro fator e’ que eu por exemplo nao conheco ninguem que tenha migrado para paises como o Canada e tenha ficado la por mais de 5 anos. ( a nao ser que tenha casado com Canadense, migrado com familia extendida etc )
Porque o Ranking Nao Reflete isso?
Obviamente tem algo faltando nessa equacao. Essa lista rankeia as cidades mas aparentemente nao leva em consideracao o nivel de felicidade social em viver perto de centros onde “acontecem” coisas.
Este e’ um post em construcao. Vou refletir um pouco mais nesse topico e atualizarei aqui acordo com que as ideias me ocorrem.
Talvez o indice nao serve para capturar a qualidade de vida urbana para alguem que e’ realmante morador da cidade e sim do visitante ocasional ou temporario. Eu sempre falei que nao dou muita confianca para quem visita lugares a passeio e fala “tal lugar e’ assim, assim e assim. Adorei”… convenhamos, de passeio, quase todo lugar e’  otimo.
Ja quem mora no lugar, tem uma perspectiva diferente do que e’ um lugar agradavel. Variam de qualidade de ensino para os filhos, possibilidade de ir para lugares pedalando ao inves de dirigir, custo de aluguel…  esses sao fatores que nao importam muito para quem apenas visita uma cidade mas muitas vezes importantissimos para quem mora. O que me leva a crer por exemplo que o calculo do The Economist nao leva em consideracao alugueis ou educacao publica de qualidade.
 
Sendo assim, nao ‘e a toa que Canadas e Australia dominam o ranking. Sao lugares excelentes para visitar, especialmente durante primavera e verao. 
 
Uma sugestao seria incluir um indicador de “diversidade cultural” do lugar. Provavelmente esse ranking so conta densidade populacional.
Vi reportagem na TV que fala haver um indicador cultural mas e’ apenas a combinacao de outros indicadores indiretos como : clima, nivel de satisfacao com politicos locais, censura, liberdade religiosa etc e coletivamente esses 9 indicadores sao 20% dos pontos da cidade. Isso nao me parece um calculo correto. Novamente, muita enfase dada para a melhor cidade do mundo para turista.
 
Na mesma reportagem, mostrando as criticas com esse indice, um arquiteto Italiano sugeriu um indicador de ajuste espacial. Esse indicador classificaria coisas como: quantidade de espaco verde, atracoes naturais, interconnectividade e nivel de isolamento. Esse indicador de nivel de isolamento de uma cidade e’ otimo porque da a medida certa sobre decidir morar ou nao. De que vale a pena morar num lugar com otimas faculdades se nao existe nada perto de la? .
De acordo com esse novo calculo, Canada e Australia cairiam para fora (somente Sydney e Toronto ficariam) dos top 10; e cidades como Amsterdam, Paris, Berlim, Tokyo e Munique apareceriam. Essa sim representa algo mais perto do mundo real em que vivemos (e nao desses economistas…)
  
Ricos vs Pobres
  • A melhor cidade do mundo para morar em 2012: Melbourne
  • A pior cidade do mundo para morar em 2012: Dhaka
Pegando-se as top 50 e comparando com as bottom 50 o que ha de comum? cidades de paises ricos vc cidades de paises pobres. Indo mais alem, sao cidades de modo de vida Ocidental vs. vida Oriental. (Nota: Engana-se que Beijing e Tokyo sejam modo de vida Oriental, esses lugares ja sao ha anos culturas quase que Ocidentais). Compara-se vida confortavel, seguranca e acesso a bons servicos. Na verdade, as diferencas entre as top 50 sao tao pequenas q e’ ate injusto dizer q Melbourne e’ o melhor lugar para morar, de tao parecidas que essas cidades sao as vezes.
Modelando a Percepcao Humana
Uma maxima entre consultores e’ que “Percepcao e’ realidade”. E nao e’ a percepcao no sentido de aparentar uma coisa e ser outra; e sim no sentido de projetar, conscientemente, uma imagem daquilo que se almeja com as atitudes, e “assets” que representam a imagem nessa linguagem.
E concedo que isso e’ algo muito dificil de modelar. Gente que mora no bairro X almeja morar no bairro Y da mesma cidade, por exemplo, porque o bairro Y projeta a percepcao de melhor vida la, mesmo ambos sendo parte de uma cidade classificada como nao-tao-boa-de-morar.
Quando vemos na TV cidades que o mundo quer morar, nao vemos imagens com carros circulando, e sim gente em parques, pedalando, tomando cafe em bares na calcada… Cidades como Paris projetam claramente esse sucesso porque tem uma “vida de rua” extremamente variada.  NYC tambem, mas veja so… a cara de New York sao os taxis amarelos e gente andando na rua (o que me faz pensar que New York e’ quase um caso a parte, a capital do mundo…pensamento a elaborar).
Um morador de Vancouver me disse que entende a boa colocacao da cidade no ranking e concorda com uma resalva: “Se voce tiver dinheiro para morar em Vancouver… “. As familias trabalhadoras nao moram em Vancouver e sim em suburbios ao redor da cidade.  Novamente, o ranking refletindo o ponto de vista do turista, ao inves do genuino morador.
O Melhor Lugar do Mundo para morar e’ ….
Aquele que voce se sente bem e e’ bem recebido e da pra viver em paz. Para minha mae e’ Fortaleza, pra minha sogra e’ Canoa Quebrada, pro meu vizinho e’ Phnom Phen.
Ja fazem mais de 15 anos que sai do Brasil. Quando eu era mais novo, obviamente era mais atrevido e falava facilmente que qualquer lugar no primeiro mundo era melhor que o Brasil. O tempo vem implacavel e nos faz engulir as proprias palavras. E a gente repete para os mais jovens emigrantes que saem do Brasil e vao para o exterior…mas geralmente eles nao ligam a minima. E’ natural, eu tambem fui assim Smile faz parte do apredizado.
Uma pergunta que escuto bastante e': "Edge, tu acha q serei mais feliz na Australia do que seria se vivesse no Brasil?" antes eu responderia com Sim ou Nao, hoje nao sei essa resposta entao eu conto essa historia do noviço que perguntou ao Abade:
- "O que eu devo fazer para agradar a Deus?"
- Jovem...Abraao aceitava os estranhos, e Deus ficou contente. Elias detestava estranhos, e Deus ficou contente. o Rei David tinha orgulho do que fazia, e Deus ficou contente. O publicano diante do altar tinha imensa vergonha do que fazia, e Deus ficou contente. João Batista foi para o deserto, e Deus ficou contente. Jonas foi para a maior metropolo, Ninive, e Deus ficou contente.
Ignore os economistas. Caminhe a estrada de seus sonhos, e amanha nao, mas no futuro se todos seguirem seus sonhos, o mundo fica melhor.

Cheers,

By

by

How to Activate Windows 8 Enterprise RTM

If you have installed windows 8 enterprise RTM, despite the fact you used a valid serial number you might not be able to connect to the Microsoft activation services. This will cause your device to display in the bottom right corner the message “activate your windows 8 copy”. Here’s another way to activate your Win8.
Call the command prompt and run as “administrator”
activate-windows-8-enterprise
in the command prompt call the SLMGR utility with your serial key
Captwure
The operation might take a few seconds and when is complete you will see the message below and your windows 8 enterprise copy will be activated.
activate-windows-8-enterprise-3

Update: Yet Another Method.(tip from Glen Maroney)
Another way to do this is also calling SLUI 3 from the command prompt.
slui-3
And from there paste your serial key and click activate.
slui3-2

Cheers,

By