Quantcast
Channel: TechNet Blogs
Viewing all 17778 articles
Browse latest View live

Jak využíváme tablety?

$
0
0

K výuce AJ - 2. stupeň ZŠ

  • k učebnici MORE! (CUP) - na stránkách Cambridge University jsou online cvičení pro jednotlivé úrovně/učebnice
  • stránky British Counsil - http://learnenglishkids.britishcouncil.org/en/
  • procvičování slovíček - www.learningchocolate.com
  • aplikace pro procvičování nepravidelných sloves - English Irregular Verbs, využívám zatím easy level (bohužel je tam v úrovni easy chyba u slovesa choose - min. čas je chose, ale test bere správnou odpověď choose - využila jsem k diskuzi, kdo připravuje tyto aplikace a že je potřeba vše opravdu pořádně zkontrolovat:-)

K výuce Zeměpisu - 2. stupeň ZŠ

  • aplikace European Countries capital city
  • při vyhledávání dalších zajímavých informací k probíranému tématu (př. více info o Panamském průplavu atd.)
  • rozdělení třídy na skupiny - každá skupina má za úkol zpracovat dané téma (vždy základní informace z učebnice + 1 zajímavost) a seznámení s tématem spolužáky - učím Zeměpis v bloku dvou hodin za sebou, v učebnách máme interaktivní tabuli, kde děti potom svojí prezentaci v Powerpointu prezentují)
  • aplikace cestování - hlavně prohlídka panoramata

k výuce OV

  • naše třída je přihlášena do projektu Extra třída - extratrida.cz - tablety používáme k plnění jednotlivých kroků a přípravě projektu - využíváme opět internet, Word, Powerpoint

K výuce je nutné on-line připojení + nejlépe sluchátka (to vše u nás ve škole máme) 

Mgr. Dominika Švehlová
ZŠ Mnichovice


Use PowerShell to Search Active Directory for High-Privileged Accounts

$
0
0

Summary: Microsoft PFE, Ian Farr, provides a Windows PowerShell function that searches for Active Directory users with high-privileged memberships.

Microsoft Scripting Guy, Ed Wilson, is here. Today, we have another guest blog post from Microsoft premier field engineer (PFE), Ian Farr. Take it away, Ian…

As a youngster, I loved watching Columbo, the bumbling, disheveled, and tenacious LAPD detective. At the end of each episode, almost as an afterthought, he’d outwit the murderer with an investigative coup de grace. Televisual gold!

A few months ago, I discussed a function that analyzes the authentication of read-only domain controllers (RODCs). It reports on accounts authenticated by an RODC that aren’t "revealed,"—that is, the account password or secret is not stored on the RODC. For the full write up, see Use PowerShell to Work with RODC Accounts.

At the end of that post, I promised more code to analyze the output of the Get-ADRodcAuthenticatedNotRevealed function. Today, I deliver on that promise with my own nod to Columbo: This post might appear as an afterthought, but it’s not.

First, some background. The Password Replication Policy Administration guidance suggests:

“Periodically, you should review whose accounts have tried to authenticate to an RODC. This information can help you plan updates that you intend to make to the existing Password Replication Policy. For example, look at which user and computer accounts have tried to authenticate to an RODC so that you can add those accounts to the Allowed List. After their credentials are cached on the RODC, the accounts can be authenticated by the RODC in the branch office when the wide area network (WAN) to the hub site is offline.”

The output of the Get-ADRodcAuthenticatedNotRevealed function facilitates a "periodic review" process. For those accounts that are authenticated, but not revealed, you can decide if there is a case to add user and computer accounts to the Allowed list. Conversely, you can analyze the output with the aid of today’s function (Test-ADUserHighPrivilegeGroupMembership) to see if any high privileged accounts have been authenticated by the RODC.

So why check for the authentication of high-privileged accounts?

As a conscientious and competent administrator, you ensure that passwords for a specific set of users and computers are replicated to the local database on corresponding RODCs. You’re happy that passwords for high-privileged users (for example, members of Domain Admins) are not replicated (which is the default configuration). You periodically check the authenticated, but not revealed, output for candidates to add to the Allowed list.

During the latest check, you spot that a certain RODC has authenticated a high-privileged user. Not an issue, you think, because you know the password won’t be stored in the RODC’s local database. Well, consider this…

When a high-privileged user is authenticated, that user’s credentials will be in the memory. If the RODC is compromised, those credentials will be available for the bad guys to use. Given that RODCs in place to address concerns about physical and network security… well, you get the picture!

Enter PowerShell, stage left

I've updated the Get-ADRodcAuthenticatedNotRevealed function to include a –UsersOnly switch. This outputs user objects that are authenticated and not revealed. These objects can then be piped to Test-ADUserHighPrivilegeGroupMembership.

Get-ADRodcAuthenticatedNotRevealed -Rodc HALORODC01 -UsersOnly |
Test-ADUserHighPrivilegeGroupMembership

Here is some sample output:

Image of command output

The Test-ADUserHighPrivilegeGroupMembership function takes an AD user as input and enumerates their MemberOf attribute. MemberOf contains backlinks to the groups that the user is, well, a member of.

$Groups = (Get-ADUser -Identity $User -Property MemberOf).MemberOf

Next, the Switch statement is used to enumerate through the groups and test each iteration against a number of conditions. These conditions are our high-privileged groups, which are represented by the start of their distinguished name and a wildcard character. Here’s what the Switch statement and the first condition look like:

Switch -Wildcard ($Groups) {           

            #Search for membership of Account Operators

            "CN=Account Operators,CN=BuiltIn*" {              

                 #Capture membership in a custom object and add to an array

                [Array]$Privs += [PSCustomObject]@{

                    User = $User

                    MemberOf =$Switch.Current

                }   #End of $Privs

            }   #End of "CN=Account Operators,CN=BuiltIn*"

The –Wildcard parameter lets me specify a condition present in all domains.

            "CN=Account Operators,CN=BuiltIn*"

Account operators? Highly privileged? Well, for starters, they can log on to and shut down domain controllers!

If this is matched by a value in the MemberOf attribute, information is added to an array in the form of a PSCustomObject. This object contains the user information and also the high privileged group information.

User = $User

MemberOf =$Switch.Current

$Switch.Current represents the current object in the loop. Man, I love the Switch statement!

The other high-privileged groups that are tested for are:

  • BUILTIN\Administrators
  • Backup operators
  • Cert publishers
  • Domain admins
  • Enterprise admins
  • Print operators
  • Schema admins
  • Server operators

After all the MemberOf values are processed, the $Privs array is returned. End of function.

Here’s how to test every RODC in the domain for high-privileged authentication that’s not revealed.

Get-ADDomainController -Filter {IsReadOnly -eq $True} |

Get-ADRodcAuthenticatedNotRevealed -UsersOnly |

Test-ADUserHighPrivilegeGroupMembership

Next time, I’ll talk about using Windows PowerShell to delegate RODC administration.

Ah, yes…in the words of Lt. Columbo, “Just one more thing...” I advise checking that the protected user (Administrator) hasn’t been authenticated:

Get-ADDomainController -Filter {IsReadOnly -eq $True} |

Get-ADRodcAuthenticatedNotRevealed -UsersOnly |

Where-Object {$_.SID -like "S-1-5-21-*-500"}

Here, we filter the output of the Get-ADRodcAuthenticatedNotRevealed function for the well-known security identifiers (SIDs) of the Administrator account. The wildcard character replaces the domain portion of the SID. 

The complete function is located in the Script Center Repository: Test-ADUserHighPrivilegeGroupMembership.

~Ian

Thank you, Ian, for another wonderful post and for a great function.

I invite you to follow me on Twitter and Facebook. If you have any questions, send email to me at scripter@microsoft.com, or post your questions on the Official Scripting Guys Forum. See you tomorrow. Until then, peace.

Ed Wilson, Microsoft Scripting Guy 

Kulturelle Schätze digitalisieren

$
0
0

Zugang gestalten! Mehr Verantwortung für das kulturelle Erbe! hieß es vom 13. bis 14. November 2014 u.a. im Hamburger Bahnhof in Berlin. Unter dem Hashtag #ke14 kann man auf Twitter verfolgen, welche Chancen, Herausforderungen und Veränderungen sich aus der Digitalisierung für den Zugang zu dem kulturellen Erbe ergeben und welch wichtigen Beitrag die digitalen Möglichkeiten damit zur Wissensgesellschaft der Gegenwart und Zukunft leisten.

Microsoft beschäftigt sich schon seit längerem mit der anspruchsvollen Darstellung komplexer Kulturgüter und dem Zugang zu diesen für jedermann. Das Internet Explorer Team widmet sich unter anderem der Digitalisierung von kulturellem Erbe. In dem (englischsprachigen) lesenswerten Blogpost „Bringing the World’s Treasures to the Web” beschreibt Steve Lake, Product Marketing Manager, Internet Explorer Marketing, wie Microsoft die analogen Schätze der Welt ins digitale Web bringt.

Mit der Kampagne Rethink what the web can be ermutigen und zeigen wir bei Microsoft beispielsweise, dass sich Digitalisierung und kulturelles Erbe nicht ausschließen – im Gegenteil, sie ergänzen sich. Klickt einfach mal in Rethink rein und hinterlasst uns unter dem Post gerne einen Kommentar, welches digitale Projekt euch am meisten beeindruckt und begeistert.

Hervorheben möchte ich das Everest: Rivers of Ice Projekt, das vom Internet Explorer Team zusammen mit David Breashears, US-amerikanischer Filmregisseur, Emmy-Gewinner und seit über 30 Jahren begeisterter Bergsteiger und Everest-Forscher, und seiner Non-Profit-Organisation GlacierWorks realisiert wurde. Eine interaktive Fotodokumentations- und Wissensplattform setzt dem höchsten Berg der Erde damit auch online ein würdiges Denkmal. Gleichzeitig sensibilisiert die Wissensplattform für klimatische Veränderungen und thematisiert die Gletscherschmelze am Himalaya. Die Dokumentation fasziniert durch beeindruckende Aufnahmen, Bilder und Informationen und appelliert an einen achtsamen Umgang mit der Umwelt.


Außerdem gefällt mir die partnerschaftliche Zusammenarbeit von Microsoft mit CyArk. Gemeinsam werden bei diesem Projekt maßstabsgetreu 3D-Scans von historischen Gebäuden, Denkmälern und Fassaden erstellt, um daraus wiederum 3D-Modelle anzufertigen und somit eine virtuelle Besichtigung zu ermöglichen, die authentisch wirkt. So ist Kulturerbe von überall aus und für jedermann erlebbar und bleibt selbst bei externen Einflüssen wie Verfall, Klimawandel oder Krieg zumindest digital der Nachwelt erhalten. Zu den bereits umgesetzten Projekten zählt hier beispielsweise der Mount Rushmore, eine Bergkette in den Black Hills von South Dakota, in deren Fels die Porträts der US-Präsidenten Abraham Lincoln, Theodore Roosevelt, Thomas Jefferson und George Washington verewigt wurden.


Beide Projekte zeigen deutlich, dass Digitalisierung jedem den Zugang zu den kulturellen Schätzen ermöglichen kann und machen deutlich, wie wir verantwortlich mit dem Kulturerbe umgehen sollten.

Ich werde künftig gespannt den Hashtag #ke14 und Rethink im kulturellen Auge behalten.

 

 


Ein Beitrag von Anna-Lena Müller (@froileinmueller)
Communications Manager Digital Transformation and Cloud

Sábado - Maiores Contribuintes na 2ª semana de Novembro/2014

$
0
0


Bem-vindos à mais um Sábado de Atualização Semanal dos principais contribuintes em nosso TechNet Wiki.

Este é o quadro geral com os atuais líderes.

ESTATÍSTICAS


Esta é a análise das contribuições do Technet Wiki (pt-BR) ao longo da última semana.

Segundo as estatísticas gerais, tivemos 305 usuários que contribuíram com 2.171 páginas.

Obtivemos 10.206 revisões com 6.155 comentários.

Para maiores detalhes veja nossa página: http://social.technet.microsoft.com/wiki/pt-br/contents/articles/default.aspx

 

DESTAQUES

Os destaques da semana vão para os seguintes colaboradores:

 


Ninja AwardPrêmio "Maiores Revisores"  
Quem fez mais revisões individuais

#1 Priscila Mayumi Sato com 11 revisões

 

#2 Jefferson CastilhoMauricio CassemiroRaimundo Oliveira Junior com 6 revisões

 

#3Renato Groffe e Wellington Agápto com 4 revisões

 

Em uma semana com diversas contribuições diferentes, Priscila assume a 1ªposição realizando revisões em artigos sobre desenvolvimento de softwares, especialmente Windows Apps.

Na 2ªposição aparecem empatados os contribuidores do "Office365": Jefferson com revisões em artigos sobre Azure, o nosso TNWiki e Office365; Raimundo com revisões em artigos sobre "Exchange Online" e Office365, e finalmente Mauricio revisando artigos sobre Office365.

Finalmente na 3ªposição aparece Renato com revisões em artigos sobre ASP.Net MVC usando JSON, empatado com Wellington e suas revisões em artigos sobre Exchange Server 2013.  

Uma semana de muito trabalho, especialmente na integração de dados e soluções web. 

Bom trabalho de todos!

 


Ninja AwardPrêmio "Artigos Mais Atualizados"  
Quem atualizou mais artigos

 #1 Priscila Mayumi Sato com 9 artigos.

 

#2 Jefferson Castilho com 5 artigos.

 

#3 Mauricio CassemiroRaimundo Oliveira JuniorRenato Groffe Wellington Agápto com 3 artigos.

 


Ninja AwardPrêmio "Artigo Mais Revisado"  
Artigos com mais revisões na semana

Esta semana, a maioria da Comunidade revisou os artigos:

Desenvolvimento, escrito por Jorge Barata

Este artigo foi revisto 4 vezes na semana passada.

Os revisores desta semana foram Peter GeelenPriscila Mayumi Sato

 

Concepção de uma Windows Runtime Apps, escrito por Priscila Mayumi Sato

Este artigo foi revisto 3 vezes na semana passada.

O revisor desta semana foi Priscila Mayumi Sato

 

Convertendo objetos para o padrão JSON em Views do ASP.NET MVC, escrito por Renato Groffe

Este artigo foi revisto 3 vezes na semana passada.

O revisor desta semana foi Renato Groffe

 


Ninja AwardPrêmio "Artigo Mais Popular"  
Colaboração é o nome do jogo!

#1 artigo atualizado pela maioria das pessoas nesta semana foi Desenvolvimento, escrito por Jorge Barata

Os revisores desta semana foram Peter Geelen e Priscila Mayumi Sato

 

O #2 artigo atualizado pela maioria das pessoas nesta semana foi Concepção de uma Windows Runtime Apps, escrito por Priscila Mayumi Sato

O revisor desta semana foi Priscila Mayumi Sato

 

O #3 artigo atualizado pela maioria das pessoas nesta semana foi Serviço de Gerenciamento no Microsoft Azure (E-mail Alerts), escrito por Vinicius Mozart

Os revisores desta semana foi Vinicius Mozart

 


 

Parabéns à todos pelas excelentes contribuições.

A nossa Comunidade continua crescendo graças a todos que doaram seu tempo para compartilhar seu conhecimento ao longo desta semana.

Vale lembrar, que toda e qualquer ajuda/contribuição para a Comunidade é importante e muito bem vinda.


 

Até +,

Wiki Ninja Durval Ramos ( BlogTwitterWikiPerfil )

WMI 관련 이슈에 알려진 Hotfixes

$
0
0

 

WMI 서비스 (Winmgmt)를 호스팅하는 Svchost.exe 와 WmiPrvse.exe 프로세스의 Memory 사용량 증가 또는 High CPU usage 일 경우 확인해 볼 수 있는 문서입니다.

 

Windows Server 2012 R2
----------------------
WmiPrvSE.exe leaking memory on 2012 R2 with DNS Role
Applications or services freeze when you monitor a DNS server in Windows 8.1 or Windows Server 2012 R2
http://support.microsoft.com/kb/2954185

SCVMM 2012 R2
-------------
Update Rollup 3 or later for System Center 2012 R2 Virtual Machine Manager
http://support.microsoft.com/kb/2965414/en-us

Windows Server 2012
-------------------
Wmiprvse.exe memory leak when a program queries disk or partition storage information in Windows Server 2012
http://support2.microsoft.com/kb/2995478/en-us
=> December Update rollup for Windows 8, 2012 R2

High memory usage by the Wmiprvse.exe process in a Windows Server 2012 cluster
http://support2.microsoft.com/kb/2935616/en-us
=> March Update rollup for Windows 8, 2012 R2

Memory leak occurs in the Svchost.exe process that hosts the WinMgmt service in Windows Server 2012
http://support2.microsoft.com/kb/2793908/en-us
=> March Update rollup for Windows 8, 2012 R2

SQL Server 2012
---------------
FIX: Memory leak for WmiPrvSe process when you use a SQL Server 2012 PDW V2 AU 0.5 appliance
Hyper-V manager cannot manage nodes, "out of memory or disk", ...
=> Contact Microsoft

Windows Server 2008 / 2008 R2
-----------------------------
High memory usage by the Svchost.exe process after you install Windows Management Framework 3.0 on a Windows-based computer
http://support.microsoft.com/kb/2889748/en-us

FIX: A memory leak in the WmiPrvSe.exe process occurs when you use the RDS WMI provider in Windows 7 SP1 or Windows Server 2008 R2 SP1
http://support.microsoft.com/kb/2876748/en-us

Memory leak occurs in the Wmiprvse.exe process in Windows 7 or Windows Server 2008 R2
http://support.microsoft.com/kb/2832248/en-us

SCOM 2012 / 2012 R2
--------------------
System Center 2012 Operations Manager: Recommended agent operating system fixes and updates
http://support.microsoft.com/kb/2843219/en-us

 

Thx.

PowerTip: Using PowerShell to Search Text Files for Letter Pattern

$
0
0

Summary: Use Windows PowerShell to search the contents of all text files in a folder for a specific letter pattern.

Hey, Scripting Guy! Question How can I use Windows PowerShell to search the contents of a lot of files in a folder for
           the occurrence of a specific letter pattern?

Hey, Scripting Guy! Answer Use the Select-String cmdlet, and specify the pattern and the path to the files.
           Windows PowerShell automatically reads the contents of the text files, and it will show the path
           and the line number of the file that contains the pattern. Here is an example that searches
           all text files in the c:\fso folder for the pattern gps:

Select-String -Pattern "gps" -Path c:\fso\*.txt

Application Proxy Blog

$
0
0

Hello all. Another Tangent thought to add.  I am now a guest blogger on the Application Proxy Blog.  I wanted to share that here as well. If you know a little bit about Active Directory Federation Services (AD FS) you may have been familiar with the AD FS Proxy role.  Back in those days, companies also used Unified Access Gateway or TMG in the past to publish applications externally to their internal corporate environment.  Now in Windows Server 2012 R2, the Web Application Proxy role service does two main functions: First, it now is the AD FS Proxy component, and as such also requires AD FS 2012 R2, and it also acts to securely publish applications. 

The new Microsoft Blog is called Application Proxy because now there is the Application Proxy Service in Microsoft Azure. Here is my first guest BLOG on http://blogs.technet.com/b/applicationproxyblog/archive/2014/10/11/paths-to-success-with-web-application-proxy.aspx. Since I did a major rollout of Web Application Proxy starting in its Beta and for about a year after that, I had many lessons learned about what works and what does not. So I can say with a high degree of assurance say that many of those, ahem, "features" that were originally somewhat limiting, will soon be fixed in the Web Application Proxy v.Next :)  You can watch the latest video that tells all about Azure Application Proxy and also Web Application Proxy v.Next on Channel 9: TechEd Europe.

Here are some of my other favorite Web Application Proxy resources that you may enjoy as well!

Deploy the Web Application Proxy

 

Overview: Connect to Applications and Services from Anywhere with Web Application Proxy

This Guide also contains the Walkthrough Guide for WAP to continue building from where the AD FS lab environment guide left off.

Publishing Internal Applications using Web Application Proxy

 

SCOM Management Pack for Web Application Proxy

The Web Application Proxy management pack provides health and event monitors to get a unified state for the Web Application Proxy role.

WAP: External and Backend server URLs are different and URL translation is disabled

By default, Web Application Proxy translates the host portion of requests to a backend server. For example, Web Application Proxy will translate the URLs successfully if the external URL is https://apps.contoso.com/ and the backend server URL is https://appsinternal.contoso.com/. However, URL translation is currently disabled, which might cause client requests to be rejected. You can manually enable the translation of host headers by using the DisableTranslateUrlInRequestHeaders parameter.

Web Application Proxy Overview

 

Weekend Scripter: Scriptify—A New PowerShell Learning Tool

$
0
0

Summary: Microsoft PFE, Steve Jeffery, talks about a new Windows PowerShell learning tool: Scriptify.

Microsoft Scripting Guy, Ed Wilson, is here. Today I have a guest blog post by premier field engineer, Steve Jeffery. He talks about a new tool he created to help you learn Windows PowerShell. Now, here's Steve...

I started using Windows PowerShell several years ago as a SharePoint administrator. I quickly realized what a powerful language it is when I started automating my daily tasks with it. Eventually, I was automating complete builds.

Since then, I’ve become a Windows PowerShell fanatic, and I try to find reasons to use it every day! As a premier field engineer for Microsoft, I always promote Windows PowerShell to my customers as a great way to automate tasks and report on environments.

SharePoint 2013 has over 700 cmdlets (and growing), so finding the right cmdlet to use can be time consuming. I developed Scriptify as a personal project to help reduce the time it takes to find the SharePoint cmdlet that you need to use.

Scriptify categorizes the cmdlets and provides a visual navigation to get to the area of the product that you need to work with quickly and easily.

In the following screenshot, you can see the product area categories:

Image of menu

Clicking a category returns all of the relevant cmdlets, as shown here for the Access Services category:

Image of menu

When you have found the cmdlet you need, clicking it returns the parameters and a link to its related Microsoft TechNet topic, for example:

Image of menu

This is just the start for Scriptify. Over the coming weeks, I will be releasing some updates to it, which will include:

  • A Windows 8 app that takes advantage of a REST API, which can consume the data outside the website
  • Cmdlets related to other technologies (such as SQL Server and Active Directory)
  • Example usage scripts to show the cmdlet in action

To find my categorization for Sharepoint 2013 cmdlets, see Scriptify: A navigation aid for SharePoint 2013 PowerShell Cmdlets.

Hopefully this helps the way you learn Windows PowerShell.

~Steve (@moss_sjeffery)

Thank you, Steve, for an interesting post, and for creating such a cool tool.

I invite you to follow me on Twitter and Facebook. If you have any questions, send email to me at scripter@microsoft.com, or post your questions on the Official Scripting Guys Forum. See you tomorrow. Until then, peace.

Ed Wilson, Microsoft Scripting Guy 


Surface Pro 3 im Langzeittest – Teil 3: „Als Grafiker unterwegs in Auto, Zug oder S-Bahn“

$
0
0

Das unabhängige Microsoft Produkttester Programm existiert seit knapp einem Jahr und ist offen für alle, die sich ausführlich mit neuen Microsoft Produkten beschäftigen möchten. Nachdem bereits das Surface 2 und das Lumia 630 ausführlich getestet wurden, gab es vor dem Marktstart des Surface Pro 3 in Deutschland die Möglichkeit, unser Device im Langzeittest genauer unter die Lupe zu nehmen. In unserer zehnteiligen Blogserie stellen wir Euch unsere Surface Pro 3 Tester sowie ihre spannendsten Erlebnisse, die sie mit dem Gerät gesammelt haben, vor. Diese Woche:

Surface Pro 3 Produkttester Janusz (27)

 Die Anmutung der Verpackung des neuen Microsoft Surface Pro 3 lässt keine Wünsche offen. Edel verpackt und ohne überflüssige Kartons, bringt es schon Freude, das Surface auszupacken.

Als ich das Surface zum ersten Mal in der Hand hielt, kam es mir  für ein Tablet  recht schwer vor (auch im Vergleich zur Apple Konkurrenz). Mit der Zeit jedoch merkt man den großen Leistungsunterschied. Das Surface ist eben ein Hybrid aus Tablet und Notebook, deswegen ist das Gewicht total gerechtfertigt.

Sowohl im Quer- als auch im Hochformat liegt es gut in den Händen. Außerdem ist es angenehm, mit dem besonderen Bildformat zu arbeiten und zu surfen. Das Design des Surface Pro 3 ist ähnlich wie die Verpackung in schlichtem silber/grau und schwarz gehalten. Die Optik wirkt edel und das Gerät scheint gut verarbeitet zu sein.

Surface Pro 3 für Grafiker – neue Möglichkeiten für mobiles Arbeiten

Als Grafiker spielen Programme wie Photoshop, InDesign und Illustrator eine wichtige Rolle in meinem Berufsalltag. Die Installation der Programme lief reibungslos und ich konnte – was die Performance betrifft – keine Unterschiede zu meinem Desktop PC feststellen. Die Programme laufen flüssig und ich kann sie auch nebeneinander laufen lassen. Die Möglichkeit, das Surface wie ein Grafik-Tablet zu nutzen, ist dabei natürlich eine sehr interessante und spannende Sache.

Das Surface Pro 3 ist im Vergleich zum Macbook Pro noch mobiler und schneller bereit. So nutze ich das Surface beispielsweise zum Anzeigen von Referenzbildern, wenn ich ein Bild male. Wenn ich eine Stelle gerne genauer sehen möchte, kann ich einfach mit zwei Fingern auf den Monitor gehen und zoomen – ein neues, taktiles Erlebnis und eine Möglichkeit, näher mit dem Gerät zusammenzuarbeiten.

Da ich meistens mit zwei Monitoren arbeite, stellt das Splitscreen Feature des Surface für mich einen interessanten Punkt dar kommt allerdings nur beim Surfen im Netz und beim Schreiben richtig gut zum Einsatz. Für die Bildbearbeitung sind mir die beiden Fenster dann doch zu klein.

E-Mail Korrespondenz, Surfen, Musik hören und spontane Recherchen sind mit dem Surface einfach und schnell machbar. Selbst wenn man nur wenig Zeit hat, wacht das Surface in Sekundenschnelle aus dem Standby-Modus auf und ist direkt verfügbar.

Surface Pro 3 als gelungene Symbiose

Da sowohl ein Tablet als auch ein Notebook für mich Neuland sind, ist der Test des Surface natürlich eine gute Symbiose für beides. Dass mein Arbeitsgerät nun mobil ist, stellt mich vor neue Möglichkeiten, an welche ich mich nun erst einmal herantasten muss. So schreibe ich teilweise wenn ich in der Bahn unterwegs bin oder im Auto (natürlich als Beifahrer) und mithilfe des verstellbaren Klappständers lässt sich das Surface für diverse Lebenslagen einstellen.

Janusz Gesamtfazit

Insgesamt hat Janusz das Surface Pro 3 vier Wochen lang auf Herz und Nieren prüfen können: Seinen gesamten Erfahrungsbericht sowie seine Erlebnisse beim Skypen nach Wien, beim Gaming und Netflix schauen könnt ihr hier nachlesen.

#MSFTProdukttester

 

Ein Gastbeitrag von Janusz
Grafiker und unabhängiger Surface Pro 3 Produkttester

- - - -

#MSFTProdukttester

Weitere Beiträge zu dieser Reihe:

Surface Pro 3 im Langzeittest – Teil 1: „Perfekte Größe, alle Anschlüsse, die ich brauche.“

Surface Pro 3 im Langzeittest – Teil 2: „Befördert zum persönlichen Büroassistenten“

 


Sunday Surprise:TechNetWikiNinjasES (Spanish TN Wiki on Facebook)

$
0
0

Hello Everyone,

In this Sunday blog post, I would like to announce the opening of the Spanish Language TechNet Wiki page on Facebook. In recent weeks, TechnetWikiNinjasES group was created by Julio Iglesias, Ed Price, Ronen Ariely (pituach), Margriet Bruggeman with they contributes .

Herkese merhaba,

Bu Pazar yazımda, Facebook üzerinde ki TechNet Wiki İspanyol dili sayfasının açıldığını duyurmak istiyorum. Geçtiğimiz haftalarda,  Julio Iglesias, Ed Price, Ronen Ariely (pituach), Margriet Bruggeman in katkıları ile TechnetWikiNinjasES grubu oluşturuldu.

Spanish written on TechNet article that you can now follow through on this page.

The number of pages that were created in the local language groups to 4 on Facebook

 TechNet üzerinde İspanyolca yazılan makaleleri artık bu sayfa üzerinden takip edebilirsiniz.

Böylece Facebook üzerinde, yerel dilde oluşturulmuş olan grup sayfa sayısı 4 e çıktı.

If you need to remember them again;

Tekrardan hatırlamak gerekirse bunlar;

#TechNetWikiNinjas

#TechNetWikiNinjasTR

#TechNetWikiNinjasFA

#TechNetWikiNinjasES

You can now access the larger community with the articles you write.

If you want to create your group in your own language on the official TechNet Wiki Ninja Facebook. Please write a mail to edprice[at]microsoft.com

Artık yazdığınız makalelerle daha büyük topluluklara erişebilirsiniz.

Eğer sizde kendi dilinizde ki resmi TechNet Wiki Ninja Facebook grubunuzu oluşturmak istiyorsanız. Lütfen edprice[at]microsoft.com adresine mail atabilirsiniz.

Turkish Wiki Ninja

Davut

Byg din egen Campus Days Agenda via Channel 9

$
0
0

Channel 9 kan du finde det fulde sessionskatalog for Microsoft Campus Days 2014. I denne video vider vi dig hvordan du ved at logge ind kan bygge din personlige Campus Days Agenda og synkronisere den med Outlook.

Velké novinky v systému Office pro tablety

$
0
0
V posledních dnech a týdnech byly uvedeny nebo alespoň představeny poměrně zajímavé novinky v rámci aplikací sady Microsoft Office (Word, Excel, PowerPoint a OneNote) pro dotyková zařízení. Společnost Microsoft si je vědoma síly toho, co její systémy umí nabídnout a tak není překvapením, že kromě platformy Windows podporuje tyto aplikace i na systémech iOS a Android. Těžit z toho mohou zejména školy, které si zvolili koncept BYOD, který umožňuje žákům si nosit do školy svoje vlastní zařízení. Vzhledem k různorodé nabídce tabletů na trhu byl ale výsledek ve třídách ve většině případů kombinací zařízení se systémem Windows, iOS i Android, což v mnohém stěžovalo celý proces výuky při využívání dokumentů vytvořených v těchto aplikací (typicky DUMů, ale i dalších materiálů).

Windows

S příchodem sady Microsoft Office 2013 dostali uživatelé dotykových zařízení jednu podstatnou novinku a tím byl režim dotykového ovládání. Najdete jej v nabídce na panelu Rychlý přístup a umožňuje vám automaticky a okamžitě upravit prostředí aplikací Office pro dotykové ovládání. 
Standardní prostředí je totiž uzpůsobeno na ovládání pomocí kurzoru myši, což je mnohem přesnější a není tak problém mít na obrazovce ikon příkazů mnohem více. Protože ale ovládání dotykem tak přesné není, tento režim upraví nabídky tak, že méně používané příkazy skryje a mezi ty zbývající vloží větší rozestupy.



  
Ačkoliv je tato možnost velkým posunem ve využívání aplikací Office na systému Windows na dotykovém zařízení, společnost Microsoft připravuje i ryze dotykovou verzi sady aplikací Office, která bude dostupná v průběhu příštího roku. Zatím se můžete podívat na první ukázkové video, které poodhaluje, jak bude nová verze vypadat a jak se s ní bude pracovat. Práce s verzi pro Windows začíná zhruba na stopáži 3:30. Celé video pak ukazuje práci se systémem Office na všech platformách.



iOS

Pro systém iOS od společnosti Apple je sada Office dostupná již několik měsíců. Nicméně již od svého počátku byla nastavena tak, že všechny aplikace (mimo OneNote) byly dostupné zdarma pro zobrazování dokumentů, ale pokud jste chtěli dokumenty i vytvářet, museli jste buď být předplatiteli služby Office 365 nebo si aplikace prostě koupit.





To již také neplatí a pro všechny uživatelé systému iOS je tady skvělá zpráva a to ta, že aplikace Office jsou nyní dostupné zcela zdarma a to jak pro iPhone, tak iPad. Zejména verze pro iPhony byla podstatným způsobem vylepšena a je tak možné vytvářet relativně snadno (s ohledem na velikost obrazovky) všechny dokumenty aplikací Office.
Další novinkou při aktualizaci aplikací pro iOS je zabudování podpory pro úložiště Dropbox. Pokud tedy využíváte toto úložiště, stačí jej propojit s aplikacemi mobilní sady Office pro iOS.

Android

U systému Android je situace poněkud odlišná. Pro telefony s tímto systémem již systém Microsoft Office existuje a můžete si jej stáhnout klasicky přes Google Play zde.
Pro tablety, kde je ale vytváření dokumentů mnohem pravděpodobnější, zatím sada Office dostupná není, ale to se také velice rychle brzy změní. Tato verze je již v plném proudu ve vývoji a měla by být k dispozici na počátku roku 2015. Zájemci o dřívější testování sady Office pro tablety Android se mohou přihlásit na této stránce.


Karel Klatovský

Windows aplikace (nejen) pro školství - 9.díl

$
0
0
Didlr
V jednoduchosti je krása. Přesně tak by mohla být charakterizována tato aplikace, která slouží primárně pro snadné kreslení obrázků a především pro jejich rychlé sdílení s ostatními. Zvláštností této aplikace je to, že sdílí přesný postup toho, jak celý obrázek vlastně vznikl a tak se můžete podívat na celé umělecké nadání toho, kdo vám obrázek poslal.
Endless Alphabet
Zábavná, graficky i zvukově výborně zpracovaná výuková aplikace pro procvičování abecedy. Stačí si jen vybrat písmenko, které chcete procvičovat a následně jen postupně skládat znaky tak, aby daly dohromady požadované slovo. Vše je doplněno o správnou výslovnost a to jak celého slova, tak vyslovování jednotlivých znaků.
 
Free Books
Jak již z názvu vyplývá, jedná se o aplikaci určenou pro čtení elektronických, anglicky psaných, knížek. Ať se již chcete procvičit ve čtení anglické literatury nebo tuto aplikaci využít v hodině angličtiny, je Free Books určena vám. Velkým benefitem je dostupnost více jak 23 000 knížek, vše je možné řadit a filtrovat dle žánrů nebo autorů a za malý poplatek je navíc umožněno si odemknout přístup k téměř 5 000 audioknihám.
Discovery News
Zajímáte se o vědu a techniku a nemáte čas sledovat informační zdroje a novinky? Díky této aplikace je zvládnete všechny. Máte zde zobrazeny jak nejaktuálnější novinky ze světa vědy, tak zajímavé kuriozity i vysvětlující a popisující videa. Články můžete dále filtrovat podle oblasti, která vás zajímá nejvíce (technika, vesmír, lidé, Země, historie, zvířata, dobrodružství) a navíc se celou aplikací prolínají v krátkých větách zajímavá fakta ze všech oblastí zájmů lidského poznání.
Shared Whiteboard

Potřebovali jste někdy během výuky pracovat společně na jedné kresbě nebo jen potřebovali ukázat všem žákům něco na tabletu. A zdáli se vám ostatní nástroje moc složité? Pomocí této aplikace to dokážete. Stačí spustit aplikaci, zahájit sdílení a následně jen ukázat třeba na tabletu celé třídě vygenerovaný kód. Následně si žáci generovaný kód pomocí webkamery zobrazí v aplikaci, propojení je ihned navázáno a všichni můžete začít pracovat na sdílené virtuální tabuli. A pokud chcete připojit i žáky mimo třídu, nevadí. Stačí jim místo QR kódu poslat jedinečný odkaz.

 

Vouchers para exámenes de Office365 sin coste

$
0
0
Buenas a todos, seguramente ya lo sabréis pero por si acaso os hacemos este post. Se ha publicado hace unos días, la noticia de que todo aquel que quisiera sacarse el MCSA de Office365 (exámenes 70-346 y 70-347), puede presentarse a los exámenes sin coste alguno ANTES DEL 31 DE DICIEMBRE DE 2014 . Tan solo tenéis que entrar en https://vouchers.cloudapp.net/mcp/default.aspx y solicitarlo mientras hayan existencias , así que a que esperáis, solicitadlo...(read more)

PowerTip: Continue a Windows PowerShell Script After Restart

$
0
0

Summary: Learn how to continue a script after a remote system restart by using Windows PowerShell.

Hey, Scripting Guy! Question I am configuring MPIO to automatically claim the iSCSI Bus Type, which requires a restart. However, I want to continue
           automating afterward, so how do I continue my script from that point?

Hey, Scripting Guy! Answer Introduced in Windows PowerShell 4.0, you can use Restart-Computer with the Wait and For parameters.
           By default the Restart-Computer cmdlet uses DCOM as the protocol to perform the restart, so if WSMan is your
           only management protocol, you’ll have to use the Protocol parameter and specify WSMan (as the following
           example illustrates). The Wait parameter is used to “Wait” “For” “PowerShell” to respond before continuing
           further in the script.

Invoke-Command -ScriptBlock {Enable-MSDSMAutomaticClaim -BusType iSCSI} -ComputerName SVR01
Restart-Computer -Protocol WSMan -Wait -For PowerShell -ComputerName SVR01
Invoke-Command -ScriptBlock {Set-Service -Name MSiSCSI -StartupType Automatic} -ComputerName SVR01

Note  Today’s PowerTip is supplied by Microsoft PFE, Brian Wilhite.


Calculando el acumulado anual cuando hay varias fechas en el modelo

$
0
0

Una de las características de Power Pivot es que puedo establecer más de una relación entre dos tablas. Ese suele ser un escenario común cuando una de las tablas es el maestro de fechas y a él llegan las relaciones por fecha de compra, fecha de facturación, fecha de entrega, etc. Esa flexibilidad es buena pero podría traer dificultades si ignoramos el hecho de que entre todas las relaciones entre dos tablas, solo una relación puede estar activa. Entonces mostrar, a la vez, totales acumulados (TOTALYTD) para todas las fechas en cuestión no funcionará a menos que usemos la utilísima función USERELATIONSHIP (“usar relación”). El truco es simplemente cambiar el PRIMER parámetro de la función TOTALYTD. Los remito a un excelente y breve artículo que explica cómo hacerlo: Relaciones entre tablas en DAX – USERELATIONSHIP – Parte 2

Top Contributors Awards! Office 365, Credential Roaming and MSG! (no umami)

$
0
0

Welcome back for another analysis of contributions to TechNet Wiki over the last week.

A day late due to life's little complications.

Also, this week we are missing a couple of categories, due to some bug in the crawler I need to investigate :/

 

First up, the weekly leader board snapshot...

 

Congratulations to Peter! With Emre close behind!

 

As always, here are the results of another weekly crawl over the updated articles feed.

 

Ninja AwardMost Revisions Award  
Who has made the most individual revisions
 

 

#1 Richard Mueller with 41 revisions.

  

#2 Emre Göztürkk with 35 revisions.

  

#3 Peter Geelen - MSFT with 34 revisions.

  

Just behind the winners but also worth a mention are:

 

#4 Chervine with 31 revisions.

  

#5 Ed Price - MSFT with 28 revisions.

  

#6 Erdem SELÇUK - TAT with 21 revisions.

  

#7 saramgsilva with 16 revisions.

  

#8 Kirill Vakhrushev with 16 revisions.

  

#9 Zeca Lima with 15 revisions.

  

#10 Asam, Muhammad with 15 revisions.

  

Ninja AwardMost Articles Updated Award  
Who has updated the most articles
 

 

#1 Emre Göztürkk with 27 articles.

  

#2 Richard Mueller with 24 articles.

  

#3 Ed Price - MSFT with 18 articles.

  

Just behind the winners but also worth a mention are:

 

#4 Chervine with 12 articles.

  

#5 Kirill Vakhrushev with 10 articles.

  

#6 Erdem SELÇUK - TAT with 9 articles.

  

#7 Peter Geelen - MSFT with 9 articles.

  

#8 Markus Vilcinskas with 9 articles.

  

#9 Inderjeet Singh Jaggi with 7 articles.

  

#10 Zeca Lima with 6 articles.

  

Ninja AwardMost Updated Article Award  
Largest amount of updated content in a single article
 

 

The article to have the most change this week was Office 365 Quick Lunch Menü Kullanimi (tr-TR), by Erdem SELÇUK - TAT

This week's reviser was Erdem SELÇUK - TAT

Congratulations to Erdem for this great new article. Another masterpiece from Team TAT.

 

Ninja AwardLongest Article Award  
Biggest article updated this week
 

 

This week's largest document to get some attention is Credential Roaming, by Kurt L Hudson MSFT

This week's reviser was Peter Geelen - MSFT

This is a great article from Kurt that is regularly buffed up to date.  A great example of the wiki in motion!

 

Ninja AwardNinja Edit Award  
A ninja needs lightning fast reactions!
 

 

Below is a list of this week's fastest ninja edits. That's an edit to an article after another person

 

Ninja AwardWinner Summary  
Let's celebrate our winners!
 

 

Below are a few statistics on this week's award winners. Still a few weeks out of date due to work loads.

Most Revisions Award Winner
The reviser is the winner of this category.

Richard Mueller

Richard Mueller has been interviewed on TechNet Wiki!

Richard Mueller has won 98 previous Top Contributor Awards. Most recent five shown below:

Richard Mueller has not yet had any featured articles or TechNet Guru medals (see below)

Richard Mueller's profile page



Most Articles Award Winner
The reviser is the winner of this category.

Emre Göztürkk

This is the first Top Contributors award for Emre Göztürkk on TechNet Wiki! Congratulations Emre Göztürkk!

Emre Göztürkk has not yet had any featured articles, interviews or TechNet Guru medals (see below)

Emre Göztürkk's profile page



Ninja Edit Award Winner
The author is the reviser, for it is their hand that is quickest!

Hicham KADIRI - MTFC

Hicham KADIRI - MTFC has TechNet Guru medals, for the following articles:

Hicham KADIRI - MTFC has not yet had any featured articles, interviews or previous Top Contribuors wins (see below)

Hicham KADIRI - MTFC's profile page



Sorry for the shorter blog this week. Normal operations hopefully resumed next week!

 

Best regards,
Pete Laker (XAML guy)

 

Secure LDAP does not work using the FQDN of the domain for GCs?

$
0
0

I have been running into this issue a couple of times. You have a forest with multiple domains and you cannot use LDAPs if you are using the FQDN of the domain in your LDAP connection string to connect to a global catalog. Here is a simple scenario:

(Note that this is also valid when it is another tree within the same forest)

The root domain is contoso.com therefore the name of the forest is contoso.com (it is actually important for later).

Why is LDAPs sometimes working using the FQDN of the domain for GC?


This is the connection window of ldp.exe. But what I am talking about is valid with any tool. As soon as you query the port 3269 which is the LDAPs for the global catalog partition.

If it works, there are only two possibilities:

  1. You have only one domain in your forest.
  2. You are using the FQDN of the root domain in the connection string.

When you are using the ADSI APIs, what you type is not what you get. You're fooled by the DsGetDcName function of the DCLocator. When you type contoso.com on a Windows application using the default API, you are not performing a DNS resolution for the A record of contoso.com. Instead your system realizes that contoso.com is the name of a domain, and instead of doing a DNS resolution of the simple domain name (the <same as parent> record  you can see in your DNS management console) it will try to localize the closest domain controller using the SRV records. So in this specific case the DNS query that your machine will send is:

  • Record: _gc._tcp.MySite._sites.contoso.com Type: SRV

In this case your machine is sitting in the Active Directory site called MySite. If you haven't configured your Sites and Services correctly, this record might not exist and then you fallback to any GC available with the following DNS query:

  • Record: _gc._tcp.contoso.com Type: SRV

So the ADSI call for the LDAPs connection is actually sent to the FQDN of the DC returned by the queries above. And this is good! Because by default, the subject name of the certificate used by the domain controller just has its own FQDN. So you cannot establish an LDAPs connection with a DC using something else than the actual FQDN (try with the IP address for example, it will fail).

Why is it not working for me?

If you are trying the following in your LDP:

It will not work anymore.

ld = ldap_sslinit("child.contoso.com", 3269, 1);
Error 0 = ldap_set_option(hLdap, LDAP_OPT_PROTOCOL_VERSION, 3);
Error 81 = ldap_connect(hLdap, NULL);
Server error: <empty>
Error <0x51>: Fail to connect to child.contoso.com.

If you enable the CAPI2 logs on the client (see this if you are not familiar with this logging) you will see the following eventid 30:

Why that? Let's look at what is happening on the network... You are asking for a global catalog for child.contoso.com... The global catalog is a forest service. So all the _gc SRV records are registered only on the <forest name> zone. In other words, every global catalog is registering its _gc in the root domain zone (you can look at all the records here: http://technet.microsoft.com/en-us/library/cc778029(v=ws.10).aspx you'll see GC records are only recorded in the DnsForestName no matter in what domain the domain controller is). So everytime you query a GC, you should use the DnsForestName. Let's look at the DNS queries:

  1. Record: _gc._tcp.MySite._sites.child.contoso.com Type: SRV > Fail
  2. Record: _gc._tcp.child.contoso.com Type: SRV > Fail
  3. Record: child.contoso.com Type: A > Success! But it ends up using the <same as parent record>, so any domain controller of the domain (by default) and more importantly, the LDAPs connection is created using the FQDN of the domain and not the FQDN of the DC (since none was returned by the DNS for the <same as parent> A record).

How can I query a GC using LDAPs from a specific domain?

Well this request does not make sense. GC is a forest wide service therefore every GC (potentially) has the same information. If your application wants a GC from a specific domain, it means it is probably using data which are not in the the partial attribute set (aka PAS). 

What if my application wants to use LDAPs for GC but does not use the DCLocator?

Deal with those good old apps that claims to be Active Directory "compatible" (whatever it means) because they have a connection string setting somewhere that accepts an LDAP path. For those, you have several options. I'll discuss two of them quickly:

  1. Make them use the FQDN of the forest... Dirty I know because you are losing the "resiliency" feature in case the GC is not available. But think about it... If the app does not use the DCLocator, you actually do not have resiliency to start with...
  2. You can add a SAN to the domain controller certificate to accept connections on both the FQDN of the domain and the FQDN of the domain controller.

Bonus option... The logic of the DCLocator has been around for 15 years. Ask the vendor to use it (using ADSI object for example or by calling the API and functions mentioned earlier in this post).

Actualizaciones de Power Query y Power Map

Domingo - Final de Semana Surpresa - System Center

$
0
0

Olá Comunidade TechNet, hoje é Domingo Final de Semana Surpresa, e hoje o assunto é o System Center! No portal do TechNet Wiki possuímos diversos artigos sobre o System Center, então separei a vocês alguns e correlacionei com o assunto abaixo para facilitar sua pesquisa.

- Gerenciando seu ambiente de Datacenter "Nuvem Privada" com o System Center

-- Instalando o System Center Virtual Machine Manager
Descrição: Utilize essa poderosa ferramenta para a gestão completa de seu ambiente de virtualização de nuvem privada.

-- Instalando o AppControler
Descrição: Tenha ambientes prontos (Templates) como servidores Web, banco de dados, servidores de aplicativos, para disponibilizar em minutos para o time de desenvolvimento, homologação e produção.

-- Performance and Resource Optimization – PRO
Descrição: Obtenha de forma automatizada dicas de melhorias de sua nuvem privada antecipando suas análises com essa integração entre o SCOM e o SCVMM.

-- Gestão 360 de sua Operação e Desenvolvimento com o Operations Manager
Descrição: Veja nesse artigo, dicas de como integrar rapidamente todo seu ambiente de operações e desenvolvimento em um único local com o Operations Manager, realizando um monitoramento pró-ativo com o Advisor, Global Services, e outros.

-- Guia de Sobrevivência do Service Manager
Descrição: Guia com diversos artigos, desde a instalação até a configuração do Service Manager, o portal de atendimento ao usuário.

-- Guia de Sobrevivência do Operations Manager
Descrição: Veja nesse guia diversos artigos sobre o Operations Manager, e conheça mais sobre essa poderosa ferramenta.

 Evento Management Summit Brasil 2014

Aproveitando o assunto do final de semana surpresa, no próximo dia 29/11/2014 teremos o Management Summit Brasil 2014 que acontecerá na sede da Microsoft em São Paulo.

Confira a agenda:

Faça sua inscrição, as vagas são limitadas! Não fique de fora desse evento, o time do TechNet Wiki Brasil estará lá e com certeza irá trazer mais conteúdos para o portal! Nos vemos lá!

Até a próxima!

Alan Carlos
TechNet Wiki Ninja

Viewing all 17778 articles
Browse latest View live


<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>