text/html sonstige.html — 41.6 KB

Dateiinhalt

<!DOCTYPE HTML>
<html>
<head>
<title>JabRef references</title>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<script type="text/javascript">
<!--
// QuickSearch script for JabRef HTML export 
// Version: 3.0
//
// Copyright (c) 2006-2011, Mark Schenk
//
// This software is distributed under a Creative Commons Attribution 3.0 License
// http://creativecommons.org/licenses/by/3.0/
//
// Features:
// - intuitive find-as-you-type searching
//    ~ case insensitive
//    ~ ignore diacritics (optional)
//
// - search with/without Regular Expressions
// - match BibTeX key
//

// Search settings
var searchAbstract = true;	// search in abstract
var searchReview = true;	// search in review

var noSquiggles = true; 	// ignore diacritics when searching
var searchRegExp = false; 	// enable RegExp searches


if (window.addEventListener) {
	window.addEventListener("load",initSearch,false); }
else if (window.attachEvent) {
	window.attachEvent("onload", initSearch); }

function initSearch() {
	// check for quick search table and searchfield
	if (!document.getElementById('qs_table')||!document.getElementById('quicksearch')) { return; }

	// load all the rows and sort into arrays
	loadTableData();
	
	//find the query field
	qsfield = document.getElementById('qs_field');

	// previous search term; used for speed optimisation
	prevSearch = '';

	//find statistics location
	stats = document.getElementById('stat');
	setStatistics(-1);
	
	// set up preferences
	initPreferences();

	// shows the searchfield
	document.getElementById('quicksearch').style.display = 'block';
	document.getElementById('qs_field').onkeyup = quickSearch;
}

function loadTableData() {
	// find table and appropriate rows
	searchTable = document.getElementById('qs_table');
	var allRows = searchTable.getElementsByTagName('tbody')[0].getElementsByTagName('tr');

	// split all rows into entryRows and infoRows (e.g. abstract, review, bibtex)
	entryRows = new Array(); infoRows = new Array(); absRows = new Array(); revRows = new Array();

	// get data from each row
	entryRowsData = new Array(); absRowsData = new Array(); revRowsData = new Array(); 
	
	BibTeXKeys = new Array();
	
	for (var i=0, k=0, j=0; i<allRows.length;i++) {
		if (allRows[i].className.match(/entry/)) {
			entryRows[j] = allRows[i];
			entryRowsData[j] = stripDiacritics(getTextContent(allRows[i]));
			allRows[i].id ? BibTeXKeys[j] = allRows[i].id : allRows[i].id = 'autokey_'+j;
			j ++;
		} else {
			infoRows[k++] = allRows[i];
			// check for abstract/review
			if (allRows[i].className.match(/abstract/)) {
				absRows.push(allRows[i]);
				absRowsData[j-1] = stripDiacritics(getTextContent(allRows[i]));
			} else if (allRows[i].className.match(/review/)) {
				revRows.push(allRows[i]);
				revRowsData[j-1] = stripDiacritics(getTextContent(allRows[i]));
			}
		}
	}
	//number of entries and rows
	numEntries = entryRows.length;
	numInfo = infoRows.length;
	numAbs = absRows.length;
	numRev = revRows.length;
}

function quickSearch(){
	
	tInput = qsfield;

	if (tInput.value.length == 0) {
		showAll();
		setStatistics(-1);
		qsfield.className = '';
		return;
	} else {
		t = stripDiacritics(tInput.value);

		if(!searchRegExp) { t = escapeRegExp(t); }
			
		// only search for valid RegExp
		try {
			textRegExp = new RegExp(t,"i");
			closeAllInfo();
			qsfield.className = '';
		}
			catch(err) {
			prevSearch = tInput.value;
			qsfield.className = 'invalidsearch';
			return;
		}
	}
	
	// count number of hits
	var hits = 0;

	// start looping through all entry rows
	for (var i = 0; cRow = entryRows[i]; i++){

		// only show search the cells if it isn't already hidden OR if the search term is getting shorter, then search all
		if(cRow.className.indexOf('noshow')==-1 || tInput.value.length <= prevSearch.length){
			var found = false; 

			if (entryRowsData[i].search(textRegExp) != -1 || BibTeXKeys[i].search(textRegExp) != -1){ 
				found = true;
			} else {
				if(searchAbstract && absRowsData[i]!=undefined) {
					if (absRowsData[i].search(textRegExp) != -1){ found=true; } 
				}
				if(searchReview && revRowsData[i]!=undefined) {
					if (revRowsData[i].search(textRegExp) != -1){ found=true; } 
				}
			}
			
			if (found){
				cRow.className = 'entry show';
				hits++;
			} else {
				cRow.className = 'entry noshow';
			}
		}
	}

	// update statistics
	setStatistics(hits)
	
	// set previous search value
	prevSearch = tInput.value;
}


// Strip Diacritics from text
// http://stackoverflow.com/questions/990904/javascript-remove-accents-in-strings

// String containing replacement characters for stripping accents 
var stripstring = 
    'AAAAAAACEEEEIIII'+
    'DNOOOOO.OUUUUY..'+
    'aaaaaaaceeeeiiii'+
    'dnooooo.ouuuuy.y'+
    'AaAaAaCcCcCcCcDd'+
    'DdEeEeEeEeEeGgGg'+
    'GgGgHhHhIiIiIiIi'+
    'IiIiJjKkkLlLlLlL'+
    'lJlNnNnNnnNnOoOo'+
    'OoOoRrRrRrSsSsSs'+
    'SsTtTtTtUuUuUuUu'+
    'UuUuWwYyYZzZzZz.';

function stripDiacritics(str){

    if(noSquiggles==false){
        return str;
    }

    var answer='';
    for(var i=0;i<str.length;i++){
        var ch=str[i];
        var chindex=ch.charCodeAt(0)-192;   // Index of character code in the strip string
        if(chindex>=0 && chindex<stripstring.length){
            // Character is within our table, so we can strip the accent...
            var outch=stripstring.charAt(chindex);
            // ...unless it was shown as a '.'
            if(outch!='.')ch=outch;
        }
        answer+=ch;
    }
    return answer;
}

// http://stackoverflow.com/questions/3446170/escape-string-for-use-in-javascript-regex
// NOTE: must escape every \ in the export code because of the JabRef Export...
function escapeRegExp(str) {
  return str.replace(/[-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g, "\\$&");
}

function toggleInfo(articleid,info) {

	var entry = document.getElementById(articleid);
	var abs = document.getElementById('abs_'+articleid);
	var rev = document.getElementById('rev_'+articleid);
	var bib = document.getElementById('bib_'+articleid);
	
	if (abs && info == 'abstract') {
		abs.className.indexOf('noshow') == -1?abs.className = 'abstract noshow':abs.className = 'abstract show';
	} else if (rev && info == 'review') {
		rev.className.indexOf('noshow') == -1?rev.className = 'review noshow':rev.className = 'review show';
	} else if (bib && info == 'bibtex') {
		bib.className.indexOf('noshow') == -1?bib.className = 'bibtex noshow':bib.className = 'bibtex show';
	} else { 
		return;
	}

	// check if one or the other is available
	var revshow; var absshow; var bibshow;
	(abs && abs.className.indexOf('noshow') == -1)? absshow = true: absshow = false;
	(rev && rev.className.indexOf('noshow') == -1)? revshow = true: revshow = false;	
	(bib && bib.className.indexOf('noshow') == -1)? bibshow = true: bibshow = false;
	
	// highlight original entry
	if(entry) {
		if (revshow || absshow || bibshow) {
		entry.className = 'entry highlight show';
		} else {
		entry.className = 'entry show';
		}
	}
	
	// When there's a combination of abstract/review/bibtex showing, need to add class for correct styling
	if(absshow) {
		(revshow||bibshow)?abs.className = 'abstract nextshow':abs.className = 'abstract';
	} 
	if (revshow) {
		bibshow?rev.className = 'review nextshow': rev.className = 'review';
	}	
	
}

function setStatistics (hits) {
	if(hits < 0) { hits=numEntries; }
	if(stats) { stats.firstChild.data = hits + '/' + numEntries}
}

function getTextContent(node) {
	// Function written by Arve Bersvendsen
	// http://www.virtuelvis.com
	
	if (node.nodeType == 3) {
	return node.nodeValue;
	} // text node
	if (node.nodeType == 1 && node.className != "infolinks") { // element node
	var text = [];
	for (var chld = node.firstChild;chld;chld=chld.nextSibling) {
		text.push(getTextContent(chld));
	}
	return text.join("");
	} return ""; // some other node, won't contain text nodes.
}

function showAll(){
	closeAllInfo();
	for (var i = 0; i < numEntries; i++){ entryRows[i].className = 'entry show'; }
}

function closeAllInfo(){
	for (var i=0; i < numInfo; i++){
		if (infoRows[i].className.indexOf('noshow') ==-1) {
			infoRows[i].className = infoRows[i].className + ' noshow';
		}
	}
}

function clearQS() {
	qsfield.value = '';
	showAll();
}

function redoQS(){
	showAll();
	quickSearch(qsfield);
}

function updateSetting(obj){
	var option = obj.id;
	var checked = obj.value;

	switch(option)
	 {
	 case "opt_searchAbs":
	   searchAbstract=!searchAbstract;
	   redoQS();
	   break;
	 case "opt_searchRev":
	   searchReview=!searchReview;
	   redoQS();
	   break;
	 case "opt_useRegExp":
	   searchRegExp=!searchRegExp;
	   redoQS();
	   break;
	 case "opt_noAccents":
	   noSquiggles=!noSquiggles;
	   loadTableData();
	   redoQS();
	   break;
	 }
}

function initPreferences(){
	if(searchAbstract){document.getElementById("opt_searchAbs").checked = true;}
	if(searchReview){document.getElementById("opt_searchRev").checked = true;}
	if(noSquiggles){document.getElementById("opt_noAccents").checked = true;}
	if(searchRegExp){document.getElementById("opt_useRegExp").checked = true;}
	
	if(numAbs==0) {document.getElementById("opt_searchAbs").parentNode.style.display = 'none';}
	if(numRev==0) {document.getElementById("opt_searchRev").parentNode.style.display = 'none';}
}

function toggleSettings(){
	var togglebutton = document.getElementById('showsettings');
	var settings = document.getElementById('settings');
	
	if(settings.className == "hidden"){
		settings.className = "show";
		togglebutton.innerText = "close settings";
		togglebutton.textContent = "close settings";
	}else{
		settings.className = "hidden";
		togglebutton.innerText = "settings...";		
		togglebutton.textContent = "settings...";
	}
}

-->
</script>
<style type="text/css">
body { background-color: white; font-family: Arial, sans-serif; font-size: 13px; line-height: 1.2; padding: 1em; color: #2E2E2E; margin: auto 2em; }

form#quicksearch { width: auto; border-style: solid; border-color: gray; border-width: 1px 0px; padding: 0.7em 0.5em; display:none; position:relative; }
span#searchstat {padding-left: 1em;}

div#settings { margin-top:0.7em; /* border-bottom: 1px transparent solid; background-color: #efefef; border: 1px grey solid; */ }
div#settings ul {margin: 0; padding: 0; }
div#settings li {margin: 0; padding: 0 1em 0 0; display: inline; list-style: none; }
div#settings li + li { border-left: 2px #efefef solid; padding-left: 0.5em;}
div#settings input { margin-bottom: 0px;}

div#settings.hidden {display:none;}

#showsettings { border: 1px grey solid; padding: 0 0.5em; float:right; line-height: 1.6em; text-align: right; }
#showsettings:hover { cursor: pointer; }

.invalidsearch { background-color: red; }
input[type="button"] { background-color: #efefef; border: 1px #2E2E2E solid;}

table { width: 100%; empty-cells: show; border-spacing: 0em 0.2em; margin: 1em 0em; border-style: none; }
th, td { border: 1px gray solid; border-width: 0px 0px; padding: 0.5em; vertical-align: top; text-align: left; }
th { background-color: #efefef; }
td + td, th + th { border-left: none; }

td a { color: navy; text-decoration: none; }
td a:hover  { text-decoration: underline; }

tr.noshow { display: none;}
tr.highlight td { background-color: #EFEFEF; border-top: 0px #2E2E2E solid; font-weight: bold; }
tr.abstract td, tr.review td, tr.bibtex td { background-color: #EFEFEF; text-align: justify; border-bottom: 0px #2E2E2E solid; }
tr.nextshow td { border-bottom: 1px gray solid; }

tr.bibtex pre { width: 100%; overflow: auto; white-space: pre-wrap;}
p.infolinks { margin: 0.3em 0em 0em 0em; padding: 0px; }

@media print {
	p.infolinks, #qs_settings, #quicksearch, t.bibtex { display: none !important; }
	tr { page-break-inside: avoid; }
}
</style>
</head>
<body>

<form action="" id="quicksearch">
<input type="text" id="qs_field" autocomplete="off" placeholder="Type to search..." /> <input type="button" onclick="clearQS()" value="clear" />
<span id="searchstat">Matching entries: <span id="stat">0</span></span>
<div id="showsettings" onclick="toggleSettings()">settings...</div>
<div id="settings" class="hidden">
<ul>
<li><input type="checkbox" class="search_setting" id="opt_searchAbs" onchange="updateSetting(this)"><label for="opt_searchAbs"> include abstract</label></li>
<li><input type="checkbox" class="search_setting" id="opt_searchRev" onchange="updateSetting(this)"><label for="opt_searchRev"> include review</label></li>
<li><input type="checkbox" class="search_setting" id="opt_useRegExp" onchange="updateSetting(this)"><label for="opt_useRegExp"> use RegExp</label></li>
<li><input type="checkbox" class="search_setting" id="opt_noAccents" onchange="updateSetting(this)"><label for="opt_noAccents"> ignore accents</label></li>
</ul>
</div>
</form>
<table id="qs_table" border="1">
<!--
<thead><tr><th width="20%">Author</th><th width="30%">Title</th><th width="5%">Year</th><th width="30%">Journal/Proceedings</th><th width="10%">Reftype</th><th width="5%">DOI/URL</th></tr></thead>
-->
<tbody><tr id="2022" class="entry"><td><h1>2022</h1></td></tr>

<tr id="Dollinger2022" class="entry">

<td>
<em> <a href="https://register.epo.org/application?number=EP20187438">Manufacturing Method for Radio-Frequency Cavity Resonators and Corresponding Resonator</a></em><br />
G. Dollinger and M. Mayerhofer; Patent, Universität der Bundeswehr München, 85577 Neubiberg (DE), <b>EP3944725</b>, 2022.
<p class="infolinks">
[<a href="javascript:toggleInfo('Dollinger2022','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Dollinger2022','bibtex')">BibTeX</a>]
[<a href="https://register.epo.org/application?number=EP20187438">URL</a>]

[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/openaccess/Dollinger2022.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Dollinger2022" class="abstract noshow">
	<td><b>Abstract</b>: Disclosed herein is a method of manufacturing a radio frequency cavity resonator, wherein said radio frequency cavity resonator comprises a tubular structure extending along a longitudinal axis, said tubular structure comprising a circumferential wall structure surrounding said longitudinal axis, one or more tubular elements and a first and a second support structure associated with each of said tubular elements, wherein said first and second support structures are provided on opposite sides of each tubular element and extend radially along a diameter of the tubular structure, wherein the method comprises producing the resonator by additive manufacturing in a manufacturing direction that is parallel to said diameter.</td>
</tr>
<tr id="bib_Dollinger2022" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@patent{Dollinger2022,
	  author = {Dollinger, Günther and Mayerhofer, Michael},
	  title = {Manufacturing Method for Radio-Frequency Cavity Resonators and Corresponding Resonator},
	  type = {Patent},
	  holder = {Universität der Bundeswehr München, 85577 Neubiberg (DE)},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2022},
	  volume = {EP3944725},
	  url = {https://register.epo.org/application?number=EP20187438}
	}
	</pre></td>
</tr>






<tr id="Dollinger2022a" class="entry">

<td>
<em> <a href="https://register.epo.org/application?number=EP20187438">Manufacturing Method for Radio-Frequency Cavity Resonators and Corresponding Resonator</a></em><br />
G. Dollinger and M. Mayerhofer; Patent, Universität der Bundeswehr München, 85577 Neubiberg (DE), <b>WO 2022/017833</b>, 2022.
<p class="infolinks">
[<a href="javascript:toggleInfo('Dollinger2022a','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Dollinger2022a','bibtex')">BibTeX</a>]
[<a href="https://register.epo.org/application?number=EP20187438">URL</a>]

[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/openaccess/Dollinger2022a.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Dollinger2022a" class="abstract noshow">
	<td><b>Abstract</b>: Disclosed herein is a method of manufacturing a radio frequency cavity resonator, wherein said radio frequency cavity resonator comprises a tubular structure extending along a longitudinal axis, said tubular structure comprising a circumferential wall structure surrounding said longitudinal axis, one or more tubular elements and a first and a second support structure associated with each of said tubular elements, wherein said first and second support structures are provided on opposite sides of each tubular element and extend radially along a diameter of the tubular structure, wherein the method comprises producing the resonator by additive manufacturing in a manufacturing direction that is parallel to said diameter.</td>
</tr>
<tr id="bib_Dollinger2022a" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@patent{Dollinger2022a,
	  author = {Dollinger, Günther and Mayerhofer, Michael},
	  title = {Manufacturing Method for Radio-Frequency Cavity Resonators and Corresponding Resonator},
	  type = {Patent},
	  holder = {Universität der Bundeswehr München, 85577 Neubiberg (DE)},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2022},
	  volume = {WO 2022/017833},
	  url = {https://register.epo.org/application?number=EP20187438}
	}
	</pre></td>
</tr>




<tr id="2018" class="entry"><td><h1>2018</h1></td></tr>

<tr id="Dollinger2018" class="entry">

<td>
<em> <a href="https://doi.org/10.1080/10619127.2018.1427405">Physics at the Munich Tandem Accelerator Laboratory</a></em><br />
G. Dollinger and T. Faestermann; Nuclear Physics News
<b> 28</b>
 (1)
 (2018)
 5-12.
<p class="infolinks">
[<a href="javascript:toggleInfo('Dollinger2018','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Dollinger2018','bibtex')">BibTeX</a>]
[<a href="https://www.tandfonline.com/doi/full/10.1080/10619127.2018.1427405">URL</a>]
[<a href="https://doi.org/10.1080/10619127.2018.1427405">DOI</a>]
[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/Dollinger2018.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Dollinger2018" class="abstract noshow">
	<td><b>Abstract</b>: The Tandem accelerator situated in Garching, just 20 km north of Munich, is of the “Emperor” (MP) series manufactured by High Voltage Engineering Corporation (HVEC). It delivered the first beams for experiments in 1970 and came close to its design voltage of 10 MV. In 1991 the tubes were exchanged to the extended version of HVEC. Routine operation at a terminal voltage of 14 MV was then possible.</td>
</tr>
<tr id="bib_Dollinger2018" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@article{Dollinger2018,
	  author = {Günther Dollinger and Thomas Faestermann},
	  title = {Physics at the Munich Tandem Accelerator Laboratory},
	  journal = {Nuclear Physics News},
	  publisher = {Taylor &amp; Francis},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2018},
	  volume = {28},
	  number = {1},
	  pages = {5-12},
	  url = {https://www.tandfonline.com/doi/full/10.1080/10619127.2018.1427405},
	  doi = {https://doi.org/10.1080/10619127.2018.1427405}
	}
	</pre></td>
</tr>






<tr id="Dollinger2018a" class="entry">

<td>
<em> Physics at the Munich Tandem Accelerator Laboratory</a></em><br />
G. Dollinger and T. Faestermann; ArXiv

 (v2)
 (2018)
.
<p class="infolinks">
[<a href="javascript:toggleInfo('Dollinger2018a','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Dollinger2018a','bibtex')">BibTeX</a>]
[<a href="https://arxiv.org/abs/1802.07057">URL</a>]

[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/Dollinger2018a.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Dollinger2018a" class="abstract noshow">
	<td><b>Abstract</b>: This review reports on the science performed in various fields at the Munich tandem accelerator during the past decade. It covers nuclear structure studies, also with respect to astro- and particle physics as well as for the understanding of fundamental symmetries, the extremely sensitive detection of long-lived radionuclides from Supernova or r-process production with accelerator mass spectrometry and studies of the elemental composition of thin films with extreme depth resolution and sensitivity by elastic recoil detection (ERD). The ion microbeam is used for 3D hydrogen microscopy as well as in radiobiology to study the response of living cells on well-defined irradiations. In medical research new therapeutic methods of tumour irradiation are tested using proton minibeams as well as the determination of ion ranges in tissue with iono-acoustics. Primary and secondary beams from the accelerator are also used for development and testing of detector components in large setups, e.g. at the LHC, and for testing new kinds of fuel materials of high uranium density to use them as medium enriched fuels at the Munich research reactor FRM II in the future.</td>
</tr>
<tr id="bib_Dollinger2018a" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@openaccess{Dollinger2018a,
	  author = {Günther Dollinger and Thomas Faestermann},
	  title = {Physics at the Munich Tandem Accelerator Laboratory},
	  journal = {ArXiv},
	  type = {OpenAccess},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2018},
	  number = {v2},
	  url = {https://arxiv.org/abs/1802.07057}
	}
	</pre></td>
</tr>




<tr id="2016" class="entry"><td><h1>2016</h1></td></tr>

<tr id="Dollinger2016" class="entry">

<td>
<em> <a href="https://register.epo.org/application?number=EP14182487">An apparatus for determining an energy deposition of an ion beam</a></em><br />
G. Dollinger, K. Parodi, W. Assmann, V. Nitziachristos and S. Kellnberger; Patent, Universität der Bundeswehr München, 85577 Neubiberg and Ludwig-Maximilians-Universität München, 80539 München, <b>EP 2974 771</b>, 2016.
<p class="infolinks">


[<a href="javascript:toggleInfo('Dollinger2016','bibtex')">BibTeX</a>]
[<a href="https://register.epo.org/application?number=EP14182487">URL</a>]

[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/openaccess/Dollinger2016.pdf">PDF</a>]
</td>
</tr> 
<tr id="bib_Dollinger2016" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@patent{Dollinger2016,
	  author = {Dollinger, Günther and Parodi, Katia and Assmann, Walter and Nitziachristos, Vasilis and Kellnberger, Stephan},
	  title = {An apparatus for determining an energy deposition of an ion beam},
	  type = {Patent},
	  holder = {Universität der Bundeswehr München, 85577 Neubiberg and Ludwig-Maximilians-Universität München, 80539 München},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2016},
	  volume = {EP 2974 771},
	  url = {https://register.epo.org/application?number=EP14182487}
	}
	</pre></td>
</tr>






<tr id="Kellnberger2016" class="entry">

<td>
<em> <a href="https://doi.org/10.1038/srep29305">Ionoacoustic tomography of the proton Bragg peak in combination with ultrasound and optoacoustic imaging</a></em><br />
S. Kellnberger, W. Assmann, S. Lehrack, S. Reinhardt, P. Thirolf, D. Queirós, G. Sergiadis, G. Dollinger, K. Parodi and V. Ntziachristos; Scientific Reports
<b> 6</b>

 (2016)
 29305.
<p class="infolinks">
[<a href="javascript:toggleInfo('Kellnberger2016','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Kellnberger2016','bibtex')">BibTeX</a>]
[<a href="http://www.nature.com/articles/srep29305">URL</a>]
[<a href="https://doi.org/10.1038/srep29305">DOI</a>]
[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/Kellnberger2016.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Kellnberger2016" class="abstract noshow">
	<td><b>Abstract</b>: Ions provide a more advantageous dose distribution than photons for external beam radiotherapy, due to their so-called inverse depth dose deposition and, in particular a characteristic dose maximum at their end-of-range (Bragg peak). The favorable physical interaction properties enable selective treatment of tumors while sparing surrounding healthy tissue, but optimal clinical use requires accurate monitoring of Bragg peak positioning inside tissue. We introduce ionoacoustic tomography based on detection of ion induced ultrasound waves as a technique to provide feedback on the ion beam profile. We demonstrate for 20 MeV protons that ion range imaging is possible with submillimeter accuracy and can be combined with clinical ultrasound and optoacoustic tomography of similar precision. Our results indicate a simple and direct possibility to correlate, in-vivo and in real-time, the conventional ultrasound echo of the tumor region with ionoacoustic tomography. Combined with optoacoustic tomography it offers a well suited pre-clinical imaging system.</td>
</tr>
<tr id="bib_Kellnberger2016" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@article{Kellnberger2016,
	  author = {Kellnberger, Stephan and Assmann, Walter and Lehrack, Sebastian and Reinhardt, Sabine and Thirolf, Peter and Queirós, Daniel and Sergiadis, George and Dollinger, Günther and Parodi, Katia and Ntziachristos, Vasilis},
	  title = {Ionoacoustic tomography of the proton Bragg peak in combination with ultrasound and optoacoustic imaging},
	  journal = {Scientific Reports},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2016},
	  volume = {6},
	  pages = {29305},
	  url = {http://www.nature.com/articles/srep29305},
	  doi = {https://doi.org/10.1038/srep29305}
	}
	</pre></td>
</tr>






<tr id="Lehrack2016" class="entry">

<td>
<em> <a href="https://doi.org/10.1016/S0167-8140(16)30135-9">Range Verification with Ionoacoustics: simulations and measurements at a clinical proton synchro-cyclotron</a></em><br />
S. Lehrack, W. Assmann, A. Maaß, K. Baumann, G. Dedes, S. Reinhardt, P. Thirolf, G. Dollinger, F.V. Stappen, J.V. de Walle, S. Henrotin, B. Reynders, D. Bertrand, D. Prieels and K. Parodi; Radiotherapy and Oncology
<b> 118</b>

 (2016)
 S66 - S67.
<p class="infolinks">
[<a href="javascript:toggleInfo('Lehrack2016','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Lehrack2016','bibtex')">BibTeX</a>]
[<a href="http://www.sciencedirect.com/science/article/pii/S0167814016301359">URL</a>]
[<a href="https://doi.org/10.1016/S0167-8140(16)30135-9">DOI</a>]
[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/Lehrack2016.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Lehrack2016" class="abstract noshow">
	<td><b>Abstract</b>: The local temperature increase induced by ion energy deposition in tissue creates an "ionoacoustic" ultrasound signal, particularly at the dose maximum (Bragg peak). This signal may be used for range verification in ion beam therapy in the future, which is still an important challenge for this irradiation modality. This approach has recently been revisited by several groups in simulations, and by our group in simulations and also in proof-of-principle experiments with pulsed 20 MeV proton beams. Here we present new simulations and first measurements of the ionoacoustic signal produced in water by proton beams accelerated up to energies of 227 MeV at a clinical synchrocyclotron.</td>
</tr>
<tr id="bib_Lehrack2016" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@article{Lehrack2016,
	  author = {S. Lehrack and W. Assmann and A. Maaß and K. Baumann and G. Dedes and S. Reinhardt and P. Thirolf and G. Dollinger and F. Vander Stappen and J. Van de Walle and S. Henrotin and B. Reynders and D. Bertrand and D. Prieels and K. Parodi},
	  title = {Range Verification with Ionoacoustics: simulations and measurements at a clinical proton synchro-cyclotron},
	  journal = {Radiotherapy and Oncology},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2016},
	  volume = {118},
	  pages = {S66 - S67},
	  note = {ICTR-PHE 2016, 15-19 February 2016, CICG, Geneva, Switzerland},
	  url = {http://www.sciencedirect.com/science/article/pii/S0167814016301359},
	  doi = {https://doi.org/10.1016/S0167-8140(16)30135-9}
	}
	</pre></td>
</tr>




<tr id="2011" class="entry"><td><h1>2011</h1></td></tr>

<tr id="Dollinger2011" class="entry">

<td>
<em> <a href="https://doi.org/10.1088/0957-4484/22/24/248001">Comment on 'Therapeutic application of metallic nanoparticles combined with particle-induced x-ray emission effect'</a></em><br />
G. Dollinger; Nanotechnology
<b> 22</b>
 (24)
 (2011)
 248001.
<p class="infolinks">


[<a href="javascript:toggleInfo('Dollinger2011','bibtex')">BibTeX</a>]
[<a href="http://iopscience.iop.org/0957-4484/22/24/248001/">URL</a>]
[<a href="https://doi.org/10.1088/0957-4484/22/24/248001">DOI</a>]
[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/Dollinger2011.pdf">PDF</a>]
</td>
</tr> 
<tr id="bib_Dollinger2011" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@article{Dollinger2011,
	  author = {Dollinger, G.},
	  title = {Comment on 'Therapeutic application of metallic nanoparticles combined with particle-induced x-ray emission effect'},
	  journal = {Nanotechnology},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2011},
	  volume = {22},
	  number = {24},
	  pages = {248001},
	  note = {cited By (since 1996)2},
	  url = {http://iopscience.iop.org/0957-4484/22/24/248001/},
	  doi = {https://doi.org/10.1088/0957-4484/22/24/248001}
	}
	</pre></td>
</tr>




<tr id="2006" class="entry"><td><h1>2006</h1></td></tr>

<tr id="Schott2006" class="entry">

<td>
<em> <a href="https://doi.org/10.1140/epja/i2006-10136-3">An experiment for the measurement of the bound- β-decay of the free neutron</a></em><br />
W. Schott, G. Dollinger, T. Faestermann, J. Friedrich, F. Hartmann, R. Hertenberger, N. Kaiser, A. Müller, S. Paul and A. Ulrich; European Physical Journal A
<b> 30</b>
 (3)
 (2006)
 603-611.
<p class="infolinks">
[<a href="javascript:toggleInfo('Schott2006','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Schott2006','bibtex')">BibTeX</a>]
[<a href="http://link.springer.com/article/10.1140%2Fepja%2Fi2006-10136-3">URL</a>]
[<a href="https://doi.org/10.1140/epja/i2006-10136-3">DOI</a>]
[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/Schott2006.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Schott2006" class="abstract noshow">
	<td><b>Abstract</b>: The hyperfine-state population of hydrogen after the bound-β-decay of the neutron directly yields the neutrino left-handedness or a possible right-handed admixture and possible small scalar and tensor contributions to the weak force. Using the through-going beam tube of a high-flux reactor, a background free hydrogen rate of ca. 3s-1 can be obtained. The detection of the neutral hydrogen atoms and the analysis of the hyperfine states is accomplished by Lamb shift source type quenching and subsequent ionization. The constraints on the neutrino helicity and the scalar and tensor coupling constants of the weak interaction can be improved by a factor of ten.</td>
</tr>
<tr id="bib_Schott2006" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@article{Schott2006,
	  author = {Schott, W. and Dollinger, G. and Faestermann, T. and Friedrich, J. and Hartmann, F.J. and Hertenberger, R. and Kaiser, N. and Müller, A.R. and Paul, S. and Ulrich, A.},
	  title = {An experiment for the measurement of the bound- β-decay of the free neutron},
	  journal = {European Physical Journal A},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2006},
	  volume = {30},
	  number = {3},
	  pages = {603--611},
	  note = {cited By (since 1996)10},
	  url = {http://link.springer.com/article/10.1140%2Fepja%2Fi2006-10136-3},
	  doi = {https://doi.org/10.1140/epja/i2006-10136-3}
	}
	</pre></td>
</tr>




<tr id="2004" class="entry"><td><h1>2004</h1></td></tr>

<tr id="Dollinger2004a" class="entry">

<td>
<em> <a href="https://patentscope.wipo.int/search/en/detail.jsf?docId=WO2004097882&recNum=1&maxRec=&office=&prevFilter=&sortOption=&queryString=&tab=PCT+Biblio">Membrane, transparent for particle beams, with improved emissity of electromagnetic radiation</a></em><br />
J. Wieser, A. Ulrich and G. Dollinger; Patent Application, Tuilaser Ag, <b>WO 2004097882 A1</b>, 2004.
<p class="infolinks">


[<a href="javascript:toggleInfo('Dollinger2004a','bibtex')">BibTeX</a>]
[<a href="https://patentscope.wipo.int/search/en/detail.jsf?docId=WO2004097882&recNum=1&maxRec=&office=&prevFilter=&sortOption=&queryString=&tab=PCT+Biblio">URL</a>]

[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/openaccess/Dollinger2004a.pdf">PDF</a>]
</td>
</tr> 
<tr id="bib_Dollinger2004a" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@patent{Dollinger2004a,
	  author = {Wieser, Jochen and Ulrich, Andreas and Dollinger, Günther},
	  title = {Membrane, transparent for particle beams, with improved emissity of electromagnetic radiation},
	  type = {Patent Application},
	  holder = {Tuilaser Ag},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2004},
	  volume = {WO 2004097882 A1},
	  url = {https://patentscope.wipo.int/search/en/detail.jsf?docId=WO2004097882&amp;recNum=1&amp;maxRec=&amp;office=&amp;prevFilter=&amp;sortOption=&amp;queryString=&amp;tab=PCT+Biblio}
	}
	</pre></td>
</tr>




<tr id="2003" class="entry"><td><h1>2003</h1></td></tr>

<tr id="Gruener2003" class="entry">

<td>
<em> <a href="https://doi.org/10.1103/PhysRevB.68.174104">Transverse cooling and heating in ion channeling</a></em><br />
F. Grüner, W. Assmann, F. Bell, M. Schubert, J. Andersen, S. Karamian, A. Bergmaier, G. Dollinger, L. Görgens, W. Günther and M. Toulemonde; Physical Review B - Condensed Matter and Materials Physics
<b> 68</b>
 (17)
 (2003)
 1741041-17410412.
<p class="infolinks">
[<a href="javascript:toggleInfo('Gruener2003','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Gruener2003','bibtex')">BibTeX</a>]
[<a href="http://journals.aps.org/prb/abstract/10.1103/PhysRevB.68.174104">URL</a>]
[<a href="https://doi.org/10.1103/PhysRevB.68.174104">DOI</a>]
[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/Gruener2003.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Gruener2003" class="abstract noshow">
	<td><b>Abstract</b>: In contrast to predictions from the standard theory of ion channeling we have observed strong redistributions of initially isotropic ion beams after transmission of thin crystal foils. Depending on the experimental parameters, there can be strong enhancements, corresponding to "transverse cooling," or strong reductions, "transverse heating," of the ion flux along a crystal axis or plane. For most ions there is a transition from cooling to heating when the ion energy is decreased, which depends on the crystal direction and on the atomic numbers of the ion and of the crystal atoms. In this paper we present an overview of this newly discovered phenomenon. Redistribution of an initially isotropic flux violates basic symmetries in the theory of channeling. We have argued earlier that the observed transverse cooling or heating can be understood as a consequence of fluctuations in the charge state of the channeled ions, but a detailed explanation of the transition from cooling to heating has yet to be established. A theoretical description is the most difficult for ions with many electrons. A different type of simulation has been developed based on n-body classical trajectory Monte-Carlo procedures and the first results are discussed.</td>
</tr>
<tr id="bib_Gruener2003" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@article{Gruener2003,
	  author = {Grüner, F. and Assmann, W. and Bell, F. and Schubert, M. and Andersen, J.U. and Karamian, S. and Bergmaier, A. and Dollinger, G. and Görgens, L. and Günther, W. and Toulemonde, M.},
	  title = {Transverse cooling and heating in ion channeling},
	  journal = {Physical Review B - Condensed Matter and Materials Physics},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2003},
	  volume = {68},
	  number = {17},
	  pages = {1741041-17410412},
	  note = {cited By (since 1996)15},
	  url = {http://journals.aps.org/prb/abstract/10.1103/PhysRevB.68.174104},
	  doi = {https://doi.org/10.1103/PhysRevB.68.174104}
	}
	</pre></td>
</tr>




<tr id="2001" class="entry"><td><h1>2001</h1></td></tr>

<tr id="Sattler2001" class="entry">

<td>
<em> <a href="https://doi.org/10.1103/PhysRevB.63.155204">Anisotropy of the electron momentum density of graphite studied by (γ,eγ) and (e,2e) spectroscopy</a></em><br />
T. Sattler, T. Tschentscher, J. Schneider, M. Vos, A. Kheifets, D. Lun, E. Weigold, G. Dollinger, H. Bross and F. Bell; Physical Review B - Condensed Matter and Materials Physics
<b> 63</b>
 (15)
 (2001)
 1552041-15520417.
<p class="infolinks">
[<a href="javascript:toggleInfo('Sattler2001','abstract')">Abstract</a>] 

[<a href="javascript:toggleInfo('Sattler2001','bibtex')">BibTeX</a>]
[<a href="http://journals.aps.org/prb/abstract/10.1103/PhysRevB.63.155204">URL</a>]
[<a href="https://doi.org/10.1103/PhysRevB.63.155204">DOI</a>]
[<a href="https://subversion.unibw.de/LRT2/Literatur/pdf/positronen/Sattler2001.pdf">PDF</a>]
</td>
</tr> 
<tr id="abs_Sattler2001" class="abstract noshow">
	<td><b>Abstract</b>: The electron momentum density (EMD) of two different modifications of graphite has been measured and the results of the measurements have been compared with theoretical calculations from three different theories: a full potential linear muffin-tin orbital, a modified augmented plane wave, and a pseudopotential calculation. Experimental results have been obtained by two different methods. The complete three-dimensional EMD is determined by inelastic photon-electron scattering, i.e., by the so-called (γ,eγ) experiment, and by electron-electron scattering, the (e,2e) experiment, cuts in the spectral electron momentum density are studied. For the (γ,eγ) experiment 180 keV synchrotron radiation from the PETRA storage ring at the Deutsches Elektronen-Synchrotron has been used with coincident detection of the recoil electrons. The (e,2e) experiments were carried out at the new (e,2e) spectrometer at the Australian National University using 40 keV primary electron energy and simultaneous detection of the outgoing electrons in an equal energy sharing mode. As samples we have prepared approximately 20 nm thin self-supporting graphite foils either by thermal evaporation (TE) or by laser plasma ablation (LPA). They are thin enough to suppress in essence electron multiple scattering. Electron diffraction analysis revealed that the LPA foil contains graphitic basal planes with a random distribution of c axes, whereas the TE foil was strongly c-axis oriented in the sense that the basal planes were parallel to the foil surface. In the analysis of the results special attention was devoted to anisotropies in the EMD revealed by comparison of TE and LPA foils. The (e,2e) measurements showed furthermore a strong orientation dependence of the intensity of π and σ states (here we have for comparison additionally measured highly oriented pyrolytic graphite). The EMD's obtained by both techniques show anisotropies in the momentum distribution of graphite and are discussed in view of the theoretical results.</td>
</tr>
<tr id="bib_Sattler2001" class="bibtex noshow">
	<td><b>BibTeX</b>:
	<pre>
	@article{Sattler2001,
	  author = {Sattler, T. and Tschentscher, Th. and Schneider, J.R. and Vos, M. and Kheifets, A.S. and Lun, D.R. and Weigold, E. and Dollinger, G. and Bross, H. and Bell, F.},
	  title = {Anisotropy of the electron momentum density of graphite studied by (γ,eγ) and (e,2e) spectroscopy},
	  journal = {Physical Review B - Condensed Matter and Materials Physics},
	  school = {Universität der Bundeswehr München, Fakultät für Luft- und Raumfahrttechnik, LRT 2 - Institut für Angewandte Physik und Messtechnik, Professur: Dollinger, Günther},
	  year = {2001},
	  volume = {63},
	  number = {15},
	  pages = {1552041-15520417},
	  note = {cited By (since 1996)9},
	  url = {http://journals.aps.org/prb/abstract/10.1103/PhysRevB.63.155204},
	  doi = {https://doi.org/10.1103/PhysRevB.63.155204}
	}
	</pre></td>
</tr>




</tbody>
</table>
<footer>
 <small>Created on 31/01/2024 by <a href="http://jabref.sourceforge.net">JabRef</a> with help of <a href="http://www.markschenk.com/tools/jabref/">Marc Schenk export filters</a>. The JavaScript code is covered by a <a href="http://creativecommons.org/licenses/by/3.0/">Creative Commons Attribution License.</a>  </small>
</footer>
<!-- file generated by JabRef -->
</body>
</html>