content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
class Cell(object):
def __init__(self, x, y):
self.x = x
self.y = y
def __lt__(self, other):
if (self.x < other.x):
return True
elif (self.x > other.x):
return False
elif (self.x == other.x):
return (self.y < other.y)
| class Cell(object):
def __init__(self, x, y):
self.x = x
self.y = y
def __lt__(self, other):
if self.x < other.x:
return True
elif self.x > other.x:
return False
elif self.x == other.x:
return self.y < other.y |
#
# CAMP
#
# Copyright (C) 2017 -- 2019 SINTEF Digital
# All rights reserved.
#
# This software may be modified and distributed under the terms
# of the MIT license. See the LICENSE file for details.
#
class About:
PROGRAM = "CAMP"
VERSION = "0.7.0"
COMMIT_HASH = None
LICENSE = "MIT"
COPYRIGHT = "Copyright (C) 2017 -- 2019 SINTEF Digital"
DESCRIPTION = "Amplify your configuration tests!"
@staticmethod
def full_version():
if About.COMMIT_HASH:
return "%s-git.%s" % (About.VERSION, About.COMMIT_HASH[:7])
return About.VERSION
| class About:
program = 'CAMP'
version = '0.7.0'
commit_hash = None
license = 'MIT'
copyright = 'Copyright (C) 2017 -- 2019 SINTEF Digital'
description = 'Amplify your configuration tests!'
@staticmethod
def full_version():
if About.COMMIT_HASH:
return '%s-git.%s' % (About.VERSION, About.COMMIT_HASH[:7])
return About.VERSION |
# SIMPLE FORMULA
# __________________________________________________________________________________________
# VARIABLE
# - Localize language: ID
textOpen=(
'Solve it! #1',
'Diketahui W=((X+YxZ)/(XxY))^Z'
)
textInX='Nilai X:'
textInY='Nilai Y:'
textInZ='Nilai Z:'
textOut='Nilai W adalah'
# __________________________________________________________________________________________
# PROGRAM
print(f'\n{textOpen[0]}\n\n{textOpen[1]}\n')
x=int(input(f'{textInX} '))
y=int(input(f'{textInY} '))
z=int(input(f'{textInZ} '))
w=((x+y*z)/(x*y))**z
print(f'{textOut} {w}') | text_open = ('Solve it! #1', 'Diketahui W=((X+YxZ)/(XxY))^Z')
text_in_x = 'Nilai X:'
text_in_y = 'Nilai Y:'
text_in_z = 'Nilai Z:'
text_out = 'Nilai W adalah'
print(f'\n{textOpen[0]}\n\n{textOpen[1]}\n')
x = int(input(f'{textInX} '))
y = int(input(f'{textInY} '))
z = int(input(f'{textInZ} '))
w = ((x + y * z) / (x * y)) ** z
print(f'{textOut} {w}') |
# I have used sieve of erato algorithm to solve this problem
def seive(Max):
primes = []
isprime = [False] * (Max)
maxN = Max
if maxN < 2:
return 0
if maxN >= 2:
isprime[0] = isprime[1] = True
for i in range(2, maxN):
if (isprime[i] is False):
for j in range(i * i, maxN, i):
isprime[j] = True
for i in range(Max):
if isprime[i] is False:
primes.append(i)
return len(primes)
class Solution:
def countPrimes(self, n: int) -> int:
return seive(n)
| def seive(Max):
primes = []
isprime = [False] * Max
max_n = Max
if maxN < 2:
return 0
if maxN >= 2:
isprime[0] = isprime[1] = True
for i in range(2, maxN):
if isprime[i] is False:
for j in range(i * i, maxN, i):
isprime[j] = True
for i in range(Max):
if isprime[i] is False:
primes.append(i)
return len(primes)
class Solution:
def count_primes(self, n: int) -> int:
return seive(n) |
class FilterError(RuntimeError):
"""
This error is raised when a filter can never match on a given model class
"""
pass
class MultipleResultsError(RuntimeError):
"""
This filter is raised when multiple results are returned while a single
one was expected
"""
| class Filtererror(RuntimeError):
"""
This error is raised when a filter can never match on a given model class
"""
pass
class Multipleresultserror(RuntimeError):
"""
This filter is raised when multiple results are returned while a single
one was expected
""" |
class Solution():
def isUnique(self, string: str):
'''Checks whether a given string has unique characters only
Inputs
------
string: str
string to be checked for unique chars
Assumptions
------------
Whitespace ' ' is a character
String is in ASCII-128
Returns
-------
bool
whether string has unique chars only
'''
if len(string) > 128:
return False
seen_chars = set()
for char in string:
if char in seen_chars:
return False
seen_chars.add(char)
return True
print(Solution().isUnique('the quick brown'))
# False
print(Solution().isUnique('the quickbrown'))
# True
| class Solution:
def is_unique(self, string: str):
"""Checks whether a given string has unique characters only
Inputs
------
string: str
string to be checked for unique chars
Assumptions
------------
Whitespace ' ' is a character
String is in ASCII-128
Returns
-------
bool
whether string has unique chars only
"""
if len(string) > 128:
return False
seen_chars = set()
for char in string:
if char in seen_chars:
return False
seen_chars.add(char)
return True
print(solution().isUnique('the quick brown'))
print(solution().isUnique('the quickbrown')) |
class Page():
def __init__(self, parent, render):
self.__parent = parent
self.__render = render
def render(self):
return self.__render(self)
def parent(self):
return self.__parent
| class Page:
def __init__(self, parent, render):
self.__parent = parent
self.__render = render
def render(self):
return self.__render(self)
def parent(self):
return self.__parent |
class Multiplication:
def __init__(self,matrix1,matrix2):
self.matrix1 = matrix1
self.matrix2 = matrix2
self.result = []
def ismultiplyable(self):
"""
INPUT: No Input
OUTPUT: ismultiplyable : bool
DESC: Can matrices be multiplied?
"""
if len(self.matrix1) == 0 or len(self.matrix2) == 0:
return False
else:
return True
def fill_result(self,col,row):
"""
INPUT: col: int
row: int
OUTPUT: No Output
DESC: Creates a col x row dimensional zero matrix.
"""
self.result=[[0 for i in range(col)] for j in range(row)]
def display_result(self):
"""
DESC: Display result matrix
"""
for r in self.result:
print(r)
| class Multiplication:
def __init__(self, matrix1, matrix2):
self.matrix1 = matrix1
self.matrix2 = matrix2
self.result = []
def ismultiplyable(self):
"""
INPUT: No Input
OUTPUT: ismultiplyable : bool
DESC: Can matrices be multiplied?
"""
if len(self.matrix1) == 0 or len(self.matrix2) == 0:
return False
else:
return True
def fill_result(self, col, row):
"""
INPUT: col: int
row: int
OUTPUT: No Output
DESC: Creates a col x row dimensional zero matrix.
"""
self.result = [[0 for i in range(col)] for j in range(row)]
def display_result(self):
"""
DESC: Display result matrix
"""
for r in self.result:
print(r) |
# from astra import models
#
# class UserObject(models.Model):
# def
#
#
#
class MetaDemo(type):
pass
class Demo(metaclass=MetaDemo):
pass
d = Demo()
print(d.__class__.__metaclass__)
| class Metademo(type):
pass
class Demo(metaclass=MetaDemo):
pass
d = demo()
print(d.__class__.__metaclass__) |
#!/usr/bin/env prey
async def main():
count = int(await x("ls -1 | wc -l"))
print(f"Files count: {count}")
| async def main():
count = int(await x('ls -1 | wc -l'))
print(f'Files count: {count}') |
g = int(input())
if g%2 == 0:
print("no. even")
else:
print("no. is odd")
| g = int(input())
if g % 2 == 0:
print('no. even')
else:
print('no. is odd') |
# -*- coding: utf-8 -*-
"""
Created on Fri Dec 20 12:25:06 2019
@author: abhij
"""
def circle_intersection(f1 = 0, f2 = 0, o1 = 0, o2 = 0, l1 = 0, l2 = 0):
R = (f1**2 + f2**2)**(0.5)
x_cor = f1 - o1
y_cor = f2 - o2
rot1 = (l1**2 - l2**2 + R**2)/(2*R)
print("\n l is", rot1)
rot2 = (l1**2 - rot1**2)**0.5
print("\n h is", rot2)
x = ((rot1/R) * (x_cor)) + ((rot2/R) * (y_cor)) + o1
y = ((rot1/R) * (y_cor)) - ((rot2/R) * (x_cor)) + o2
print("the x coordinate is:", x, "\n")
print("the y coordinate is:", y, "\n")
circle_intersection(2,3,0,0,4,5) | """
Created on Fri Dec 20 12:25:06 2019
@author: abhij
"""
def circle_intersection(f1=0, f2=0, o1=0, o2=0, l1=0, l2=0):
r = (f1 ** 2 + f2 ** 2) ** 0.5
x_cor = f1 - o1
y_cor = f2 - o2
rot1 = (l1 ** 2 - l2 ** 2 + R ** 2) / (2 * R)
print('\n l is', rot1)
rot2 = (l1 ** 2 - rot1 ** 2) ** 0.5
print('\n h is', rot2)
x = rot1 / R * x_cor + rot2 / R * y_cor + o1
y = rot1 / R * y_cor - rot2 / R * x_cor + o2
print('the x coordinate is:', x, '\n')
print('the y coordinate is:', y, '\n')
circle_intersection(2, 3, 0, 0, 4, 5) |
def soma_elementos(lista):
soma = 0
for i in lista:
soma = soma + i
return soma
lista = [1,2,3,4,5,6]
print(soma_elementos(lista))
| def soma_elementos(lista):
soma = 0
for i in lista:
soma = soma + i
return soma
lista = [1, 2, 3, 4, 5, 6]
print(soma_elementos(lista)) |
class str(object):
def __new__(self, *args):
if ___delta("num=", args.__len__(), 0):
return ""
else:
first_arg = ___delta("tuple-getitem", args, 0)
return first_arg.__str__()
def __init__(self, *args):
pass
def __len__(self):
int = ___id("%int")
return ___delta("strlen", self, int)
def __str__(self):
return self
def __add__(self, other):
str = ___id("%str")
return ___delta("str+", self, other, str)
def __mult__(self, other):
str = ___id("%str")
return ___delta("str*", self, other, str)
def __iter__(self):
SeqIter = ___id("%SeqIter")
return SeqIter(self)
def __eq__(self, other):
type = ___id("%type")
str = ___id("%str")
if not (type(other) is str):
return False
return ___delta("str=", self, other)
def __hash__(self):
int = ___id("%int")
return ___delta("str-hash", self, int)
def __cmp__(self, other):
int = ___id("%int")
return ___delta("strcmp", self, other, int)
def __in__(self, test):
return ___delta("strin", self, test)
def __min__(self):
str = ___id("%str")
return ___delta("strmin", self, str)
def __max__(self):
str = ___id("%str")
return ___delta("strmax", self, str)
def __list__(self):
int = ___id("%int")
range = ___id("%range")
l = ___delta("strlen", self, int)
return [self[i] for i in range(0, l)]
def __tuple__(self):
tuple = ___id("%tuple")
return tuple(self.__list__())
def __int__(self):
int = ___id("%int")
return ___delta("strint", self, int)
def __bool__(self):
return self.__len__() != 0
def __getitem__(self, idx):
str = ___id("%str")
return ___delta("str-getitem", self, idx, str)
def __slice__(self, lower, upper, step):
str = ___id("%str")
return ___delta("strslice", self, lower, upper, step, str)
___assign("%str", str)
| class Str(object):
def __new__(self, *args):
if ___delta('num=', args.__len__(), 0):
return ''
else:
first_arg = ___delta('tuple-getitem', args, 0)
return first_arg.__str__()
def __init__(self, *args):
pass
def __len__(self):
int = ___id('%int')
return ___delta('strlen', self, int)
def __str__(self):
return self
def __add__(self, other):
str = ___id('%str')
return ___delta('str+', self, other, str)
def __mult__(self, other):
str = ___id('%str')
return ___delta('str*', self, other, str)
def __iter__(self):
seq_iter = ___id('%SeqIter')
return seq_iter(self)
def __eq__(self, other):
type = ___id('%type')
str = ___id('%str')
if not type(other) is str:
return False
return ___delta('str=', self, other)
def __hash__(self):
int = ___id('%int')
return ___delta('str-hash', self, int)
def __cmp__(self, other):
int = ___id('%int')
return ___delta('strcmp', self, other, int)
def __in__(self, test):
return ___delta('strin', self, test)
def __min__(self):
str = ___id('%str')
return ___delta('strmin', self, str)
def __max__(self):
str = ___id('%str')
return ___delta('strmax', self, str)
def __list__(self):
int = ___id('%int')
range = ___id('%range')
l = ___delta('strlen', self, int)
return [self[i] for i in range(0, l)]
def __tuple__(self):
tuple = ___id('%tuple')
return tuple(self.__list__())
def __int__(self):
int = ___id('%int')
return ___delta('strint', self, int)
def __bool__(self):
return self.__len__() != 0
def __getitem__(self, idx):
str = ___id('%str')
return ___delta('str-getitem', self, idx, str)
def __slice__(self, lower, upper, step):
str = ___id('%str')
return ___delta('strslice', self, lower, upper, step, str)
___assign('%str', str) |
# 9.2.2 Implementation with an Unsorted List
class PriorityQueueBase:
"""Abstract base class for a priority queue."""
class _Item:
"""Lightweight composite to store priority queue items."""
__slots__ = '_key','_value'
def __init__(self,k,v):
self._key = k
self._value = v
def __It__(self,other):
return self._key < other._key # compare items vased on their keys
def is_empty(self):
"""Return True if the priority queue is empty."""
return len(self) == 0
class UnsortedPriorityQueue(PriorityQueueBase):
"""A min-oriented priority queue implemented with an unsorted list."""
def _find_min(self): # nonpublic utility
"""Return Position of item with minimun key."""
if self.is_empty(): # is_empty inherited from base class
raise Empty('Priority queue is empty')
small = self._data.first()
walk = self._data.after(small)
while walk is not None:
if walk.element() < small.element():
small = walk
walk = self._data.after(walk)
return small
def __init__(self):
"""Create a new empty Priority Queue."""
self._data = PositionalList()
def __len__(self):
"""Return the number of the items in the priority queue."""
return len(self.data)
def add(self,key,value):
"""Add a key-value pair."""
self._data.add_last(self._Item(key,value))
def min(self):
"""Return but do not remove(k,v) tuple with minimum key."""
p = self._find_min()
item = p.element()
return (item._key,item._value)
def remove_min(self):
"""Remove and return (k,v) tuple with minimum key."""
p = self._find_min()
item = self._data.delete(p)
return (item._key,item._value)
#----------------------------- my main function ----------------------------- | class Priorityqueuebase:
"""Abstract base class for a priority queue."""
class _Item:
"""Lightweight composite to store priority queue items."""
__slots__ = ('_key', '_value')
def __init__(self, k, v):
self._key = k
self._value = v
def ___it__(self, other):
return self._key < other._key
def is_empty(self):
"""Return True if the priority queue is empty."""
return len(self) == 0
class Unsortedpriorityqueue(PriorityQueueBase):
"""A min-oriented priority queue implemented with an unsorted list."""
def _find_min(self):
"""Return Position of item with minimun key."""
if self.is_empty():
raise empty('Priority queue is empty')
small = self._data.first()
walk = self._data.after(small)
while walk is not None:
if walk.element() < small.element():
small = walk
walk = self._data.after(walk)
return small
def __init__(self):
"""Create a new empty Priority Queue."""
self._data = positional_list()
def __len__(self):
"""Return the number of the items in the priority queue."""
return len(self.data)
def add(self, key, value):
"""Add a key-value pair."""
self._data.add_last(self._Item(key, value))
def min(self):
"""Return but do not remove(k,v) tuple with minimum key."""
p = self._find_min()
item = p.element()
return (item._key, item._value)
def remove_min(self):
"""Remove and return (k,v) tuple with minimum key."""
p = self._find_min()
item = self._data.delete(p)
return (item._key, item._value) |
#!/usr/bin/python35
fp = open('hello.txt')
print('fp.tell = %s' % (fp.tell()))
fp.seek(10, SEEK_SET)
print('fp.seek(10), fp.tell() = %s' % (fp.tell()))
# only do zero cur-relative seeks
fp.seek(0, SEEK_CUR)
print('fp.seek(0, 1), fp.tell() = %s' % (fp.tell()))
fp.seek(0, SEEK_END)
print('fp.seek(0, 2), fp.tell() = %s' % (fp.tell()))
| fp = open('hello.txt')
print('fp.tell = %s' % fp.tell())
fp.seek(10, SEEK_SET)
print('fp.seek(10), fp.tell() = %s' % fp.tell())
fp.seek(0, SEEK_CUR)
print('fp.seek(0, 1), fp.tell() = %s' % fp.tell())
fp.seek(0, SEEK_END)
print('fp.seek(0, 2), fp.tell() = %s' % fp.tell()) |
'''
Created on 02-06-2011
@author: Piotr
'''
class GeneratorInterval(object):
'''
Describes the interval in for generating the image.
@attention: DTO
'''
def __init__(self, start, stop, step=0):
'''
Constructor.
@param start: starting point of the interval
@param stop: stopping point of the interval
@param step: step used in this interval.
If step is 0 then only one element should be generate equal to start
'''
self.start = start
self.stop = stop
self.step = step
def __str__(self):
string = "Start: " + str(self.start) + '\n'
string += "Stop: " + str(self.stop) + '\n'
string += "Step: " + str(self.step) + '\n'
return string
def __eq__(self, o):
if isinstance(o, GeneratorInterval):
return o.start == self.start and o.stop == self.stop and o.step == self.step
return False
def __ne__(self, o):
return not self == o
| """
Created on 02-06-2011
@author: Piotr
"""
class Generatorinterval(object):
"""
Describes the interval in for generating the image.
@attention: DTO
"""
def __init__(self, start, stop, step=0):
"""
Constructor.
@param start: starting point of the interval
@param stop: stopping point of the interval
@param step: step used in this interval.
If step is 0 then only one element should be generate equal to start
"""
self.start = start
self.stop = stop
self.step = step
def __str__(self):
string = 'Start: ' + str(self.start) + '\n'
string += 'Stop: ' + str(self.stop) + '\n'
string += 'Step: ' + str(self.step) + '\n'
return string
def __eq__(self, o):
if isinstance(o, GeneratorInterval):
return o.start == self.start and o.stop == self.stop and (o.step == self.step)
return False
def __ne__(self, o):
return not self == o |
with open('8.input') as inputFile:
data = [b.split(' ') for b in [a.rstrip('\n').split(' | ')[1] for a in inputFile.readlines()]]
result = 0
for d in data:
for e in d:
if len(e) in [2,3,4,7]:
result += 1
print(result)
| with open('8.input') as input_file:
data = [b.split(' ') for b in [a.rstrip('\n').split(' | ')[1] for a in inputFile.readlines()]]
result = 0
for d in data:
for e in d:
if len(e) in [2, 3, 4, 7]:
result += 1
print(result) |
def main():
message = input("Introducir Mensaje: ")
key = int(input("Key [1-26]: "))
mode = input("Cifrar o Descifrar [c/d]: ")
if mode.lower().startswith('c'):
mode = "cifrar"
elif mode.lower().startswith('d'):
mode = "descifrar"
translated = encdec(message, key, mode)
if mode == "cifrar":
print(("Mensaje Cifrado:", translated))
elif mode == "descifrar":
print(("Mensaje Descifrado:", translated))
def encdec(message, key, mode):
translated = ""
letters_my = "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
letters_mn = "abcdefghijklmnopqrstuvwxyz"
for symbol in message:
if symbol in letters_my:
num = letters_my.find(symbol)
if mode == "cifrar":
num = num + key
elif mode == "descifrar":
num = num - key
if num >= len(letters_my):
num -= len(letters_my)
elif num < 0:
num += len(letters_my)
translated += letters_my[num]
elif symbol in letters_mn:
num = letters_mn.find(symbol)
if mode == "cifrar":
num = num + key
elif mode == "descifrar":
num = num - key
if num >= len(letters_mn):
num -= len(letters_mn)
elif num < 0:
num += len(letters_mn)
translated += letters_mn[num]
else:
translated += symbol
return translated
main()
| def main():
message = input('Introducir Mensaje: ')
key = int(input('Key [1-26]: '))
mode = input('Cifrar o Descifrar [c/d]: ')
if mode.lower().startswith('c'):
mode = 'cifrar'
elif mode.lower().startswith('d'):
mode = 'descifrar'
translated = encdec(message, key, mode)
if mode == 'cifrar':
print(('Mensaje Cifrado:', translated))
elif mode == 'descifrar':
print(('Mensaje Descifrado:', translated))
def encdec(message, key, mode):
translated = ''
letters_my = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'
letters_mn = 'abcdefghijklmnopqrstuvwxyz'
for symbol in message:
if symbol in letters_my:
num = letters_my.find(symbol)
if mode == 'cifrar':
num = num + key
elif mode == 'descifrar':
num = num - key
if num >= len(letters_my):
num -= len(letters_my)
elif num < 0:
num += len(letters_my)
translated += letters_my[num]
elif symbol in letters_mn:
num = letters_mn.find(symbol)
if mode == 'cifrar':
num = num + key
elif mode == 'descifrar':
num = num - key
if num >= len(letters_mn):
num -= len(letters_mn)
elif num < 0:
num += len(letters_mn)
translated += letters_mn[num]
else:
translated += symbol
return translated
main() |
# Problem statement
# write a program to swap two numbers without using third variable
x = input()
y = input()
print ("Before swapping: ")
print("Value of x : ", x, " and y : ", y)
x, y = y, x
print ("After swapping: ")
print("Value of x : ", x, " and y : ", y)
# sample input
# 10
# 20
# sample output
# Before swapping:
# Value of x : 10 and y : 20
# After swapping:
# Value of x : 20 and y : 10
# Time complexity : O(1)
# space complexity : O(1) | x = input()
y = input()
print('Before swapping: ')
print('Value of x : ', x, ' and y : ', y)
(x, y) = (y, x)
print('After swapping: ')
print('Value of x : ', x, ' and y : ', y) |
#!/bin/zsh
'''
Table Printer
Write a function named printTable()
that takes a list of lists of strings and displays it in a well-organized table
with each column right-justified.
Assume that all the inner lists will contain the same number of strings.
For example, the value could look like this:
tableData = [['apples', 'oranges', 'cherries', 'banana'],
['Alice', 'Bob', 'Carol', 'David'],
['dogs', 'cats', 'moose', 'goose']]
Your printTable()
function would print the following:
apples Alice dogs
oranges Bob cats
cherries Carol moose
banana David goose
Hint: Your code will first have to find the longest string in each of the inner lists
so that the whole column can be wide enough to fit all the strings.
You can store the maximum width of each column as a list of integers.
The printTable()
function can begin with colWidths = [0] * len(tableData)
, which will create a list containing the same number of 0
values as the number of inner lists in tableData
. That way, colWidths[0]
can store the width of the longest string in tableData[0]
, colWidths[1]
can store the width of the longest string in tableData[1]
, and so on. You can then find the largest value in the colWidths
list to find out what integer width to pass to the rjust()
string method.
'''
tabledata = [
['aaples', 'oranges', 'cherries', 'banana'],
['Alice', 'Bob', 'Carol', 'David'],
['dogs', 'cats', 'moose', 'goose']
]
def printtable():
pass
# TODO: Complete Algorithm.
| """
Table Printer
Write a function named printTable()
that takes a list of lists of strings and displays it in a well-organized table
with each column right-justified.
Assume that all the inner lists will contain the same number of strings.
For example, the value could look like this:
tableData = [['apples', 'oranges', 'cherries', 'banana'],
['Alice', 'Bob', 'Carol', 'David'],
['dogs', 'cats', 'moose', 'goose']]
Your printTable()
function would print the following:
apples Alice dogs
oranges Bob cats
cherries Carol moose
banana David goose
Hint: Your code will first have to find the longest string in each of the inner lists
so that the whole column can be wide enough to fit all the strings.
You can store the maximum width of each column as a list of integers.
The printTable()
function can begin with colWidths = [0] * len(tableData)
, which will create a list containing the same number of 0
values as the number of inner lists in tableData
. That way, colWidths[0]
can store the width of the longest string in tableData[0]
, colWidths[1]
can store the width of the longest string in tableData[1]
, and so on. You can then find the largest value in the colWidths
list to find out what integer width to pass to the rjust()
string method.
"""
tabledata = [['aaples', 'oranges', 'cherries', 'banana'], ['Alice', 'Bob', 'Carol', 'David'], ['dogs', 'cats', 'moose', 'goose']]
def printtable():
pass |
"""
String Formatting
"""
# Create a variable that contains the first 4 lines of lyrics from your favorite song. Add a comment that includes the song title and artist **each on their own line**! Now print out this variable.
"""
Dancing in the Moonlight
King Harvest
"""
fave_song = '''
We get it almost every night
When that moon is big and bright
It's a supernatural delight
Everybody's dancin' in the moonlight
'''
print(fave_song)
'''
We get it almost every night
When that moon is big and bright
It's a supernatural delight
Everybody's dancin' in the moonlight
''' | """
String Formatting
"""
'\nDancing in the Moonlight\nKing Harvest\n'
fave_song = "\nWe get it almost every night\nWhen that moon is big and bright\nIt's a supernatural delight\nEverybody's dancin' in the moonlight\n"
print(fave_song)
"\nWe get it almost every night\nWhen that moon is big and bright\nIt's a supernatural delight\nEverybody's dancin' in the moonlight\n" |
def stable_match(a_pref: dict, b_pref: dict) -> set:
a_list = list(a_pref.keys())
match_dict = {}
while len(match_dict) != len(a_pref):
print(a_list)
for ai in a_list:
if ai in match_dict.values():
continue
print(f"{ai}")
# obtengo mejor candidato
bi = a_pref[ai].pop(0)
# obtengo contrincante
aj = match_dict.get(bi)
# se crea pareja si no existe
if not aj:
print(f"new match {ai}-{bi}")
match_dict[bi] = ai
continue
bi_pref = b_pref[bi]
if bi_pref.index(aj) > bi_pref.index(ai):
print(f"update match {ai}-{bi}")
match_dict[bi] = ai
a_list.append(aj)
continue
return {(ai, bi) for ai, bi in match_dict.items()}
| def stable_match(a_pref: dict, b_pref: dict) -> set:
a_list = list(a_pref.keys())
match_dict = {}
while len(match_dict) != len(a_pref):
print(a_list)
for ai in a_list:
if ai in match_dict.values():
continue
print(f'{ai}')
bi = a_pref[ai].pop(0)
aj = match_dict.get(bi)
if not aj:
print(f'new match {ai}-{bi}')
match_dict[bi] = ai
continue
bi_pref = b_pref[bi]
if bi_pref.index(aj) > bi_pref.index(ai):
print(f'update match {ai}-{bi}')
match_dict[bi] = ai
a_list.append(aj)
continue
return {(ai, bi) for (ai, bi) in match_dict.items()} |
#!/usr/bin/env python3
#errors.py
class ParserTongueError(Exception):
pass
########################
### Tokenizer Errors ###
########################
class TokenizerError(ParserTongueError):
pass
class TokenInstantiationTypeError(TokenizerError):
def __init__(self, message):
self.message = message
class UnknownTokenTypeError(TokenizerError):
def __init__(self, message):
self.message = message
class TokenizerNoMatchError(TokenizerError):
def __init__(self, message):
self.message = message
class TokenizerCreationError(TokenizerError):
def __init__(self, message):
self.message = message
######################
### Grammar Errors ###
######################
class GrammarError(ParserTongueError):
pass
class GrammarParsingError(GrammarError):
def __init__(self, message):
self.message = message
class RuleParsingError(GrammarError):
def __init__(self, message):
self.message = message
class RuleLinkageError(GrammarError):
def __init__(self, message):
self.message = message
class RuleTreeError(GrammarError):
def __init__(self, message):
self.message = message
class GrammarLinkError(GrammarError):
def __init__(self, message):
self.message = message
class GrammarDependencyError(GrammarError):
def __init__(self, message):
self.message = message
| class Parsertongueerror(Exception):
pass
class Tokenizererror(ParserTongueError):
pass
class Tokeninstantiationtypeerror(TokenizerError):
def __init__(self, message):
self.message = message
class Unknowntokentypeerror(TokenizerError):
def __init__(self, message):
self.message = message
class Tokenizernomatcherror(TokenizerError):
def __init__(self, message):
self.message = message
class Tokenizercreationerror(TokenizerError):
def __init__(self, message):
self.message = message
class Grammarerror(ParserTongueError):
pass
class Grammarparsingerror(GrammarError):
def __init__(self, message):
self.message = message
class Ruleparsingerror(GrammarError):
def __init__(self, message):
self.message = message
class Rulelinkageerror(GrammarError):
def __init__(self, message):
self.message = message
class Ruletreeerror(GrammarError):
def __init__(self, message):
self.message = message
class Grammarlinkerror(GrammarError):
def __init__(self, message):
self.message = message
class Grammardependencyerror(GrammarError):
def __init__(self, message):
self.message = message |
# Escreva um programa que leia um valor em metros e o exiba convertido em
# centimetros e milimetros.
n = float(input('Valor em metros: '))
cm = n * 100
mm = n * 1000
print('\033[7mCentimetros:{}cm\033[m\n\033[7mMilimetros:{}mm\033[m'.format(cm,mm)) | n = float(input('Valor em metros: '))
cm = n * 100
mm = n * 1000
print('\x1b[7mCentimetros:{}cm\x1b[m\n\x1b[7mMilimetros:{}mm\x1b[m'.format(cm, mm)) |
"""
This file contains the paths to store the data and models
Must have a dataPath and resPath defined
"""
PATH = {'data': r'/hdd/ersa',
'model': r'/hdd6/Models',
'eval': r'/hdd/Results'}
| """
This file contains the paths to store the data and models
Must have a dataPath and resPath defined
"""
path = {'data': '/hdd/ersa', 'model': '/hdd6/Models', 'eval': '/hdd/Results'} |
class Node:
"""
This class represents the nodes of the different networks on the map.
"""
def __init__(self, index, edges=None, is_taxi_stop=False, is_bus_stop=False, is_metro_stop=False,
is_ferry_stop=False):
"""
Init-function of the Node-class.
:param index: Unique integer index of the node
:param edges: List of edges that connect this node to other nodes
:param is_taxi_stop: Boolean flag which shows if the current node is a node of the taxi network
:param is_bus_stop: Boolean flag which shows if the current node is a node of the bus network
:param is_metro_stop: Boolean flag which shows if the current node is a node of the metro network
:param is_ferry_stop: Boolean flag which shows if the current node is a node of the ferry network
"""
self.index = index
if edges is None:
edges = []
self.neighbors_index = []
else:
self.neighbors_index = [edge.start_node.index if edge.start_node.index != self.index
else edge.end_node.index for edge in edges]
self.edges = edges
self.is_taxi_stop = is_taxi_stop
self.is_bus_stop = is_bus_stop
self.is_metro_stop = is_metro_stop
self.is_ferry_stop = is_ferry_stop
def add_edges(self, edges):
self.edges.append(edges)
new_neighbor_indexes = [edge.start_node.index if edge.end_node.index == self.index else edge.end_node.index
for edge in edges]
new_neighbor_indexes = list(filter(lambda x: x == self.neighbors_index, new_neighbor_indexes))
self.neighbors_index.append(new_neighbor_indexes)
def get_edges(self):
return self.edges
def get_index(self):
return self.index
| class Node:
"""
This class represents the nodes of the different networks on the map.
"""
def __init__(self, index, edges=None, is_taxi_stop=False, is_bus_stop=False, is_metro_stop=False, is_ferry_stop=False):
"""
Init-function of the Node-class.
:param index: Unique integer index of the node
:param edges: List of edges that connect this node to other nodes
:param is_taxi_stop: Boolean flag which shows if the current node is a node of the taxi network
:param is_bus_stop: Boolean flag which shows if the current node is a node of the bus network
:param is_metro_stop: Boolean flag which shows if the current node is a node of the metro network
:param is_ferry_stop: Boolean flag which shows if the current node is a node of the ferry network
"""
self.index = index
if edges is None:
edges = []
self.neighbors_index = []
else:
self.neighbors_index = [edge.start_node.index if edge.start_node.index != self.index else edge.end_node.index for edge in edges]
self.edges = edges
self.is_taxi_stop = is_taxi_stop
self.is_bus_stop = is_bus_stop
self.is_metro_stop = is_metro_stop
self.is_ferry_stop = is_ferry_stop
def add_edges(self, edges):
self.edges.append(edges)
new_neighbor_indexes = [edge.start_node.index if edge.end_node.index == self.index else edge.end_node.index for edge in edges]
new_neighbor_indexes = list(filter(lambda x: x == self.neighbors_index, new_neighbor_indexes))
self.neighbors_index.append(new_neighbor_indexes)
def get_edges(self):
return self.edges
def get_index(self):
return self.index |
x = [1,2,3]
dict = {'name': 'Victoria', 'sister': 1, 'states': ['Texas','California', 'Nevada']}
"""
for key in dict.keys():
... print('{k}: {v}'.format(k=key, v=dict[key]))
...
states: ['Texas', 'California', 'Nevada']
sister: 1
name: Victoria
for key, value in dict.items():
... if key == 'name':
... print('hi')
"""
| x = [1, 2, 3]
dict = {'name': 'Victoria', 'sister': 1, 'states': ['Texas', 'California', 'Nevada']}
"\nfor key in dict.keys():\n... print('{k}: {v}'.format(k=key, v=dict[key]))\n...\nstates: ['Texas', 'California', 'Nevada']\nsister: 1\nname: Victoria\n\nfor key, value in dict.items():\n... if key == 'name':\n... print('hi')\n" |
OCTICON_UNMUTE = """
<svg class="octicon octicon-unmute" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16" width="16" height="16"><path fill-rule="evenodd" d="M7.563 2.069A.75.75 0 018 2.75v10.5a.75.75 0 01-1.238.57L3.472 11H1.75A1.75 1.75 0 010 9.25v-2.5C0 5.784.784 5 1.75 5h1.723l3.289-2.82a.75.75 0 01.801-.111zM6.5 4.38L4.238 6.319a.75.75 0 01-.488.181h-2a.25.25 0 00-.25.25v2.5c0 .138.112.25.25.25h2a.75.75 0 01.488.18L6.5 11.62V4.38zm6.096-2.038a.75.75 0 011.06 0 8 8 0 010 11.314.75.75 0 01-1.06-1.06 6.5 6.5 0 000-9.193.75.75 0 010-1.06v-.001zm-1.06 2.121a.75.75 0 10-1.061 1.061 3.5 3.5 0 010 4.95.75.75 0 101.06 1.06 5 5 0 000-7.07l.001-.001z"></path></svg>
"""
| octicon_unmute = '\n<svg class="octicon octicon-unmute" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16" width="16" height="16"><path fill-rule="evenodd" d="M7.563 2.069A.75.75 0 018 2.75v10.5a.75.75 0 01-1.238.57L3.472 11H1.75A1.75 1.75 0 010 9.25v-2.5C0 5.784.784 5 1.75 5h1.723l3.289-2.82a.75.75 0 01.801-.111zM6.5 4.38L4.238 6.319a.75.75 0 01-.488.181h-2a.25.25 0 00-.25.25v2.5c0 .138.112.25.25.25h2a.75.75 0 01.488.18L6.5 11.62V4.38zm6.096-2.038a.75.75 0 011.06 0 8 8 0 010 11.314.75.75 0 01-1.06-1.06 6.5 6.5 0 000-9.193.75.75 0 010-1.06v-.001zm-1.06 2.121a.75.75 0 10-1.061 1.061 3.5 3.5 0 010 4.95.75.75 0 101.06 1.06 5 5 0 000-7.07l.001-.001z"></path></svg>\n' |
# config.py
cfg_mnet = {
'name': 'mobilenet0.25',
'in_channels': 3,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 64,
'ngpu': 1,
'epoch': 200,
'decay1': 190,
'decay2': 220,
'image_size': 480,
'pretrain': "./weights/pretrained/mobilenetV1X0.25_pretrain.tar",
'return_layers': {'stage1': 1, 'stage2': 2, 'stage3': 3},
'in_channel': 32,
'out_channel': 64
}
cfg_re50 = {
'name': 'Resnet50',
'in_channels': 3,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 8,
'ngpu': 1,
'epoch': 100,
'decay1': 70,
'decay2': 90,
'image_size': 840,
'pretrain': "/home/louishsu/.cache/torch/hub/checkpoints/resnet50-19c8e357.pth",
'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3},
'in_channel': 256,
'out_channel': 256
}
# --------------------------------------------------------------------------------------
cfg_re18 = {
'name': 'Resnet18',
'in_channels': 3,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 48,
'ngpu': 1,
'epoch': 100,
'decay1': 70,
'decay2': 90,
'image_size': 480,
'pretrain': "/home/louishsu/.cache/torch/hub/checkpoints/resnet18-5c106cde.pth",
'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3},
'in_channel': 64,
'out_channel': 256
}
cfg_re34 = {
'name': 'Resnet34',
'in_channels': 3,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 48,
'ngpu': 1,
'epoch': 100,
'decay1': 70,
'decay2': 90,
'image_size': 480,
'pretrain': "/home/louishsu/.cache/torch/hub/checkpoints/resnet34-333f7ec4.pth",
'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3},
'in_channel': 64,
'out_channel': 256
}
cfg_eff_b0 = {
'name': 'Efficientnet-b0',
'in_channels': 3,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 12,
'ngpu': 1,
'epoch': 100,
'decay1': 70,
'decay2': 90,
'image_size': 480,
'pretrain': "/home/louishsu/.cache/torch/hub/checkpoints/tf_efficientnet_b0_ns-c0e6a31c.pth",
'return_layers': {'2': 3, '4': 5, '6': 7},
'in_channel': None,
'out_channel': 256
}
cfg_eff_b4 = {
'name': 'Efficientnet-b4',
'in_channels': 3,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 12,
'ngpu': 1,
'epoch': 100,
'decay1': 70,
'decay2': 90,
'image_size': 480,
'pretrain': "/home/louishsu/.cache/torch/hub/checkpoints/tf_efficientnet_b4_ns-d6313a46.pth",
'return_layers': {'2': 3, '4': 5, '6': 7},
'in_channel': None,
'out_channel': 256
}
# --------------------------------------------------------------------------------------
cfg_re34_hsfd_finetune = {
'name': 'Resnet34',
'used_channels': [12, 19, 13, 6, 3],
'in_channels': 5,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 32,
'ngpu': 1,
'epoch': 20,
'decay1': 70,
'decay2': 90,
'image_size': 320,
'pretrain': "/home/louishsu/.cache/torch/hub/checkpoints/resnet34-333f7ec4.pth",
'finetune': "outputs/resnet34_v1/Resnet34_iter_21000_2.5562_.pth",
'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3},
'in_channel': 64,
'out_channel': 256
}
cfg_re34_hsfd_not_finetune = {
'name': 'Resnet34',
'used_channels': [12, 19, 13, 6, 3],
'in_channels': 5,
'min_sizes': [[16, 32], [64, 128], [256, 512]],
'steps': [8, 16, 32],
'variance': [0.1, 0.2],
'clip': False,
'loc_weight': 2.0,
'gpu_train': True,
'batch_size': 32,
'ngpu': 1,
'epoch': 100,
'decay1': 70,
'decay2': 90,
'image_size': 320,
'pretrain': "/home/louishsu/.cache/torch/hub/checkpoints/resnet34-333f7ec4.pth",
'finetune': None,
'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3},
'in_channel': 64,
'out_channel': 256
} | cfg_mnet = {'name': 'mobilenet0.25', 'in_channels': 3, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 64, 'ngpu': 1, 'epoch': 200, 'decay1': 190, 'decay2': 220, 'image_size': 480, 'pretrain': './weights/pretrained/mobilenetV1X0.25_pretrain.tar', 'return_layers': {'stage1': 1, 'stage2': 2, 'stage3': 3}, 'in_channel': 32, 'out_channel': 64}
cfg_re50 = {'name': 'Resnet50', 'in_channels': 3, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 8, 'ngpu': 1, 'epoch': 100, 'decay1': 70, 'decay2': 90, 'image_size': 840, 'pretrain': '/home/louishsu/.cache/torch/hub/checkpoints/resnet50-19c8e357.pth', 'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3}, 'in_channel': 256, 'out_channel': 256}
cfg_re18 = {'name': 'Resnet18', 'in_channels': 3, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 48, 'ngpu': 1, 'epoch': 100, 'decay1': 70, 'decay2': 90, 'image_size': 480, 'pretrain': '/home/louishsu/.cache/torch/hub/checkpoints/resnet18-5c106cde.pth', 'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3}, 'in_channel': 64, 'out_channel': 256}
cfg_re34 = {'name': 'Resnet34', 'in_channels': 3, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 48, 'ngpu': 1, 'epoch': 100, 'decay1': 70, 'decay2': 90, 'image_size': 480, 'pretrain': '/home/louishsu/.cache/torch/hub/checkpoints/resnet34-333f7ec4.pth', 'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3}, 'in_channel': 64, 'out_channel': 256}
cfg_eff_b0 = {'name': 'Efficientnet-b0', 'in_channels': 3, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 12, 'ngpu': 1, 'epoch': 100, 'decay1': 70, 'decay2': 90, 'image_size': 480, 'pretrain': '/home/louishsu/.cache/torch/hub/checkpoints/tf_efficientnet_b0_ns-c0e6a31c.pth', 'return_layers': {'2': 3, '4': 5, '6': 7}, 'in_channel': None, 'out_channel': 256}
cfg_eff_b4 = {'name': 'Efficientnet-b4', 'in_channels': 3, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 12, 'ngpu': 1, 'epoch': 100, 'decay1': 70, 'decay2': 90, 'image_size': 480, 'pretrain': '/home/louishsu/.cache/torch/hub/checkpoints/tf_efficientnet_b4_ns-d6313a46.pth', 'return_layers': {'2': 3, '4': 5, '6': 7}, 'in_channel': None, 'out_channel': 256}
cfg_re34_hsfd_finetune = {'name': 'Resnet34', 'used_channels': [12, 19, 13, 6, 3], 'in_channels': 5, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 32, 'ngpu': 1, 'epoch': 20, 'decay1': 70, 'decay2': 90, 'image_size': 320, 'pretrain': '/home/louishsu/.cache/torch/hub/checkpoints/resnet34-333f7ec4.pth', 'finetune': 'outputs/resnet34_v1/Resnet34_iter_21000_2.5562_.pth', 'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3}, 'in_channel': 64, 'out_channel': 256}
cfg_re34_hsfd_not_finetune = {'name': 'Resnet34', 'used_channels': [12, 19, 13, 6, 3], 'in_channels': 5, 'min_sizes': [[16, 32], [64, 128], [256, 512]], 'steps': [8, 16, 32], 'variance': [0.1, 0.2], 'clip': False, 'loc_weight': 2.0, 'gpu_train': True, 'batch_size': 32, 'ngpu': 1, 'epoch': 100, 'decay1': 70, 'decay2': 90, 'image_size': 320, 'pretrain': '/home/louishsu/.cache/torch/hub/checkpoints/resnet34-333f7ec4.pth', 'finetune': None, 'return_layers': {'layer2': 1, 'layer3': 2, 'layer4': 3}, 'in_channel': 64, 'out_channel': 256} |
l = list(map(int, input().split()))
minT = l[0]
maxT = l[0]
maxI = 0
minI = 0
for i in range(0, len(l)):
if minT > l[i]:
minT = l[i]
minI = i
for i in range(0, len(l)):
if maxT < l[i]:
maxT = l[i]
maxI = i
t = l[maxI]
l[maxI] = l[minI]
l[minI] = t
print(' '.join(map(str, l)))
| l = list(map(int, input().split()))
min_t = l[0]
max_t = l[0]
max_i = 0
min_i = 0
for i in range(0, len(l)):
if minT > l[i]:
min_t = l[i]
min_i = i
for i in range(0, len(l)):
if maxT < l[i]:
max_t = l[i]
max_i = i
t = l[maxI]
l[maxI] = l[minI]
l[minI] = t
print(' '.join(map(str, l))) |
def is_prime(number):
"""
>>> is_prime(3)
True
>>> is_prime(90)
False
>>> is_prime(67)
True
"""
if number <= 1:
return False
for i in range(2, number - 1):
if number % i == 0:
return False
return True
def prime_numbers(number):
"""
>>> prime_numbers(5)
2
3
5
7
11
>>> prime_numbers(7)
2
3
5
7
11
13
17
"""
pointer = 0
moving_pointer = 0
while pointer < number:
if is_prime(moving_pointer):
print(moving_pointer)
pointer += 1
moving_pointer += 1
| def is_prime(number):
"""
>>> is_prime(3)
True
>>> is_prime(90)
False
>>> is_prime(67)
True
"""
if number <= 1:
return False
for i in range(2, number - 1):
if number % i == 0:
return False
return True
def prime_numbers(number):
"""
>>> prime_numbers(5)
2
3
5
7
11
>>> prime_numbers(7)
2
3
5
7
11
13
17
"""
pointer = 0
moving_pointer = 0
while pointer < number:
if is_prime(moving_pointer):
print(moving_pointer)
pointer += 1
moving_pointer += 1 |
"""
The negamax agent from the kaggle source code.
Runs faster if we turn down max_depth (originally 4, but too slow).
A very lazy reimplementation of negamax.py for depth 1,
but the kaggle env is tricky so I'm letting myself off.
"""
def negamax_agent(obs, config, depth=1):
columns = config.columns
rows = config.rows
size = rows * columns
EMPTY = 0
# Due to compute/time constraints the tree depth must be limited.
max_depth = depth
def is_win(board, column, mark, config, has_played=True):
columns = config.columns
rows = config.rows
inarow = config.inarow - 1
row = (
min([r for r in range(rows) if board[column + (r * columns)] == mark])
if has_played
else max([r for r in range(rows) if board[column + (r * columns)] == EMPTY])
)
def count(offset_row, offset_column):
for i in range(1, inarow + 1):
r = row + offset_row * i
c = column + offset_column * i
if (
r < 0
or r >= rows
or c < 0
or c >= columns
or board[c + (r * columns)] != mark
):
return i - 1
return inarow
return (
count(1, 0) >= inarow # vertical.
or (count(0, 1) + count(0, -1)) >= inarow # horizontal.
or (count(-1, -1) + count(1, 1)) >= inarow # top left diagonal.
or (count(-1, 1) + count(1, -1)) >= inarow # top right diagonal.
)
def negamax(board, mark, depth):
moves = sum(1 if cell != EMPTY else 0 for cell in board)
# Tie Game
if moves == size:
return (0, None)
# Can win next.
for column in range(columns):
if board[column] == EMPTY and is_win(board, column, mark, config, False):
return ((size + 1 - moves) / 2, column)
# Recursively check all columns.
best_score = -size
best_column = None
for column in range(columns):
if board[column] == EMPTY:
# Max depth reached. Score based on cell proximity for a clustering effect.
if depth <= 0:
row = max(
[
r
for r in range(rows)
if board[column + (r * columns)] == EMPTY
]
)
score = (size + 1 - moves) / 2
if column > 0 and board[row * columns + column - 1] == mark:
score += 1
if (
column < columns - 1
and board[row * columns + column + 1] == mark
):
score += 1
if row > 0 and board[(row - 1) * columns + column] == mark:
score += 1
if row < rows - 2 and board[(row + 1) * columns + column] == mark:
score += 1
else:
next_board = board[:]
play(next_board, column, mark, config)
(score, _) = negamax(next_board,
1 if mark == 2 else 2, depth - 1)
score = score * -1
if score > best_score:
best_score = score
best_column = column
return (best_score, best_column)
def play(board, column, mark, config):
columns = config.columns
rows = config.rows
row = max([r for r in range(rows) if board[column + (r * columns)] == EMPTY])
board[column + (row * columns)] = mark
_, column = negamax(obs.board[:], obs.mark, max_depth)
if column == None:
column = choice([c for c in range(columns) if obs.board[c] == EMPTY])
return column
| """
The negamax agent from the kaggle source code.
Runs faster if we turn down max_depth (originally 4, but too slow).
A very lazy reimplementation of negamax.py for depth 1,
but the kaggle env is tricky so I'm letting myself off.
"""
def negamax_agent(obs, config, depth=1):
columns = config.columns
rows = config.rows
size = rows * columns
empty = 0
max_depth = depth
def is_win(board, column, mark, config, has_played=True):
columns = config.columns
rows = config.rows
inarow = config.inarow - 1
row = min([r for r in range(rows) if board[column + r * columns] == mark]) if has_played else max([r for r in range(rows) if board[column + r * columns] == EMPTY])
def count(offset_row, offset_column):
for i in range(1, inarow + 1):
r = row + offset_row * i
c = column + offset_column * i
if r < 0 or r >= rows or c < 0 or (c >= columns) or (board[c + r * columns] != mark):
return i - 1
return inarow
return count(1, 0) >= inarow or count(0, 1) + count(0, -1) >= inarow or count(-1, -1) + count(1, 1) >= inarow or (count(-1, 1) + count(1, -1) >= inarow)
def negamax(board, mark, depth):
moves = sum((1 if cell != EMPTY else 0 for cell in board))
if moves == size:
return (0, None)
for column in range(columns):
if board[column] == EMPTY and is_win(board, column, mark, config, False):
return ((size + 1 - moves) / 2, column)
best_score = -size
best_column = None
for column in range(columns):
if board[column] == EMPTY:
if depth <= 0:
row = max([r for r in range(rows) if board[column + r * columns] == EMPTY])
score = (size + 1 - moves) / 2
if column > 0 and board[row * columns + column - 1] == mark:
score += 1
if column < columns - 1 and board[row * columns + column + 1] == mark:
score += 1
if row > 0 and board[(row - 1) * columns + column] == mark:
score += 1
if row < rows - 2 and board[(row + 1) * columns + column] == mark:
score += 1
else:
next_board = board[:]
play(next_board, column, mark, config)
(score, _) = negamax(next_board, 1 if mark == 2 else 2, depth - 1)
score = score * -1
if score > best_score:
best_score = score
best_column = column
return (best_score, best_column)
def play(board, column, mark, config):
columns = config.columns
rows = config.rows
row = max([r for r in range(rows) if board[column + r * columns] == EMPTY])
board[column + row * columns] = mark
(_, column) = negamax(obs.board[:], obs.mark, max_depth)
if column == None:
column = choice([c for c in range(columns) if obs.board[c] == EMPTY])
return column |
# Didn't event attempt pt 2. Here's a solution cribbed from https://www.reddit.com/r/adventofcode/comments/7irzg5/2017_day_10_solutions/dr1095j/
f = "165,1,255,31,87,52,24,113,0,91,148,254,158,2,73,153"
lengths1 = [int(x) for x in f.strip().split(",")]
lengths2 = [ord(x) for x in f.strip()] + [17, 31, 73, 47, 23]
def run(lengths, times):
position = 0
skip = 0
sequence = list(range(256))
for _ in range(times):
for l in lengths:
for i in range(l // 2):
now = (position + i) % len(sequence)
later = (position + l - 1 - i) % len(sequence)
sequence[now], sequence[later] = sequence[later], sequence[now]
position += l + skip
skip += 1
return sequence
sequence1 = run(lengths1, 1)
sequence2 = run(lengths2, 64)
hashstr = ""
for i in range(len(sequence2) // 16):
num = 0
for j in range(16):
num ^= sequence2[i * 16 + j]
hashstr += hex(num)[2:].zfill(2)
print(sequence1[0] * sequence1[1])
print(hashstr)
| f = '165,1,255,31,87,52,24,113,0,91,148,254,158,2,73,153'
lengths1 = [int(x) for x in f.strip().split(',')]
lengths2 = [ord(x) for x in f.strip()] + [17, 31, 73, 47, 23]
def run(lengths, times):
position = 0
skip = 0
sequence = list(range(256))
for _ in range(times):
for l in lengths:
for i in range(l // 2):
now = (position + i) % len(sequence)
later = (position + l - 1 - i) % len(sequence)
(sequence[now], sequence[later]) = (sequence[later], sequence[now])
position += l + skip
skip += 1
return sequence
sequence1 = run(lengths1, 1)
sequence2 = run(lengths2, 64)
hashstr = ''
for i in range(len(sequence2) // 16):
num = 0
for j in range(16):
num ^= sequence2[i * 16 + j]
hashstr += hex(num)[2:].zfill(2)
print(sequence1[0] * sequence1[1])
print(hashstr) |
def getMoneySpent(keyboards, drives, b):
keyboards.sort(reverse = True)
drives.sort(reverse = True)
cost = -1
for k in keyboards:
for d in drives:
_cost = k + d
if _cost <= b:
if _cost > cost:
cost = _cost
break
if k + drives[0] <= b:
break
return cost
keyboards = [5, 2, 8]
drives = [3, 1]
cost = getMoneySpent(keyboards, drives, 10)
print(cost) | def get_money_spent(keyboards, drives, b):
keyboards.sort(reverse=True)
drives.sort(reverse=True)
cost = -1
for k in keyboards:
for d in drives:
_cost = k + d
if _cost <= b:
if _cost > cost:
cost = _cost
break
if k + drives[0] <= b:
break
return cost
keyboards = [5, 2, 8]
drives = [3, 1]
cost = get_money_spent(keyboards, drives, 10)
print(cost) |
# Python - 2.7.6
Test.describe('Basic Tests')
Test.assert_equals(my_first_kata(3, 5), (3 % 5 + 5 % 3))
Test.assert_equals(my_first_kata('hello', 3), False)
Test.assert_equals(my_first_kata(67, 'bye'), False)
Test.assert_equals(my_first_kata(True, True), False)
Test.assert_equals(my_first_kata(314, 107), (107 % 314 + 314 % 107))
Test.assert_equals(my_first_kata(1, 32), (1 % 32 + 32 % 1))
Test.assert_equals(my_first_kata(-1, -1), (-1 % -1 + -1 % -1))
Test.assert_equals(my_first_kata(19483, 9), (9 % 19483 + 19483 % 9))
Test.assert_equals(my_first_kata('hello', {}), False)
Test.assert_equals(my_first_kata([], 'pippi'), False)
| Test.describe('Basic Tests')
Test.assert_equals(my_first_kata(3, 5), 3 % 5 + 5 % 3)
Test.assert_equals(my_first_kata('hello', 3), False)
Test.assert_equals(my_first_kata(67, 'bye'), False)
Test.assert_equals(my_first_kata(True, True), False)
Test.assert_equals(my_first_kata(314, 107), 107 % 314 + 314 % 107)
Test.assert_equals(my_first_kata(1, 32), 1 % 32 + 32 % 1)
Test.assert_equals(my_first_kata(-1, -1), -1 % -1 + -1 % -1)
Test.assert_equals(my_first_kata(19483, 9), 9 % 19483 + 19483 % 9)
Test.assert_equals(my_first_kata('hello', {}), False)
Test.assert_equals(my_first_kata([], 'pippi'), False) |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def maxDepth(self, root):
"""
:type root: TreeNode
:rtype: int
"""
if root is None:
return 0
return self.maxDepth_bottom_up(root)
# self.max_depth = 0
# self.maxDepth_top_down(root, 0)
# return self.max_depth
def maxDepth_top_down(self, node, depth):
# update max_depth if leaf node
if node is None:
self.max_depth = max(depth, self.max_depth)
else:
self.maxDepth_top_down(node.left, depth+1)
self.maxDepth_top_down(node.right, depth+1)
def maxDepth_bottom_up(self, node):
if node is None:
return 0
else:
return 1 + max(self.maxDepth_bottom_up(node.left), self.maxDepth_bottom_up(node.right)) | class Solution:
def max_depth(self, root):
"""
:type root: TreeNode
:rtype: int
"""
if root is None:
return 0
return self.maxDepth_bottom_up(root)
def max_depth_top_down(self, node, depth):
if node is None:
self.max_depth = max(depth, self.max_depth)
else:
self.maxDepth_top_down(node.left, depth + 1)
self.maxDepth_top_down(node.right, depth + 1)
def max_depth_bottom_up(self, node):
if node is None:
return 0
else:
return 1 + max(self.maxDepth_bottom_up(node.left), self.maxDepth_bottom_up(node.right)) |
DOMAIN = 'api.dkc.ru'
VERSION_API = 'v1'
URL_DOMAIN = f"https://{DOMAIN}/{VERSION_API}"
DEFAULT_HEADERS = {
"Accept": "*/*",
} | domain = 'api.dkc.ru'
version_api = 'v1'
url_domain = f'https://{DOMAIN}/{VERSION_API}'
default_headers = {'Accept': '*/*'} |
def strip_react(polymer_fn):
polymer = polymer_fn()
result = {}
letters = list(set(polymer.lower()))
for letter in letters:
stripped = polymer.replace(letter, "").replace(letter.upper(), "")
result[letter] = react(stripped)
return min(result.values())
def react(stripped):
i = 0
while i < len(stripped) - 1:
if stripped[i].upper() == stripped[i+1].upper() and stripped[i] != stripped[i+1]:
stripped = stripped[:i] + stripped[i+2:]
if i > 2:
i -= 2
elif i >= 1:
i -= 1
else:
i += 1
return len(stripped)
| def strip_react(polymer_fn):
polymer = polymer_fn()
result = {}
letters = list(set(polymer.lower()))
for letter in letters:
stripped = polymer.replace(letter, '').replace(letter.upper(), '')
result[letter] = react(stripped)
return min(result.values())
def react(stripped):
i = 0
while i < len(stripped) - 1:
if stripped[i].upper() == stripped[i + 1].upper() and stripped[i] != stripped[i + 1]:
stripped = stripped[:i] + stripped[i + 2:]
if i > 2:
i -= 2
elif i >= 1:
i -= 1
else:
i += 1
return len(stripped) |
'''
Author: ZHAO Zinan
Created: 14-Nov-2018
144. Binary Tree Preorder Traversal
'''
# Definition for a binary tree node.
class TreeNode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution:
def preorderTraversal(self, root):
"""
:type root: TreeNode
:rtype: List[int]
"""
if not root:
return []
traversalVal = []
traversalVal.append(root.val)
if (root.left):
traversalVal.extend(self.preorderTraversal(root.left))
if (root.right):
traversalVal.extend(self.preorderTraversal(root.right))
return traversalVal
# test
if __name__ == '__main__':
# test case 1
a = TreeNode(3)
b = TreeNode(2)
c = TreeNode(1)
c.right = b
b.left = a
print(Solution().preorderTraversal(c))
# test case 2
d = TreeNode(1)
e = TreeNode(4)
f = TreeNode(3)
g = TreeNode(2)
d.left = e
d.right = f
e.left = g
print(Solution().preorderTraversal(d))
| """
Author: ZHAO Zinan
Created: 14-Nov-2018
144. Binary Tree Preorder Traversal
"""
class Treenode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution:
def preorder_traversal(self, root):
"""
:type root: TreeNode
:rtype: List[int]
"""
if not root:
return []
traversal_val = []
traversalVal.append(root.val)
if root.left:
traversalVal.extend(self.preorderTraversal(root.left))
if root.right:
traversalVal.extend(self.preorderTraversal(root.right))
return traversalVal
if __name__ == '__main__':
a = tree_node(3)
b = tree_node(2)
c = tree_node(1)
c.right = b
b.left = a
print(solution().preorderTraversal(c))
d = tree_node(1)
e = tree_node(4)
f = tree_node(3)
g = tree_node(2)
d.left = e
d.right = f
e.left = g
print(solution().preorderTraversal(d)) |
# one object multiple reference example
"""
The below program shows that if there is changes in reference
variable, it gets also reflected in another variable too!
because there is only one object and we are creating multiple
reference variable for same object.
"""
class Mobile:
def __init__(self, price, brand):
self.price = price
self.brand = brand
mob1 = Mobile(10000, "Apple")
print("Price of mobile 1: ", mob1.price)
mob2 = mob1
mob2.price = 3000
print("Price of mobile 1: ", mob1.price)
print("Price of mobile 2: ", mob2.price) | """
The below program shows that if there is changes in reference
variable, it gets also reflected in another variable too!
because there is only one object and we are creating multiple
reference variable for same object.
"""
class Mobile:
def __init__(self, price, brand):
self.price = price
self.brand = brand
mob1 = mobile(10000, 'Apple')
print('Price of mobile 1: ', mob1.price)
mob2 = mob1
mob2.price = 3000
print('Price of mobile 1: ', mob1.price)
print('Price of mobile 2: ', mob2.price) |
''' twitter API keys '''
API_KEY = ''
API_SECRET = ''
ACCESS_TOKEN = ''
ACCESS_SECRET = ''
| """ twitter API keys """
api_key = ''
api_secret = ''
access_token = ''
access_secret = '' |
class Solution:
def topKFrequent(self, words: List[str], k: int) -> List[str]:
count = collections.Counter(words)
count_i = collections.defaultdict(list)
for c in count:
count_i[count[c]].append(c)
large = list( sorted(count_i.keys()) )
# print(large, count_i)
total = 0
ans = []
for l in large[::-1]:
total += len(count_i[l])
if total <= k:
ans.extend( sorted(count_i[l]) )
elif total > k:
ans.extend( sorted(count_i[l])[:k-total] )
break
return ans
class SolutionII:
def topKFrequent(self, words: List[str], k: int) -> List[str]:
count = collections.Counter(words)
res = sorted(count, key=lambda x: (-count[x], x))
return res[:k]
| class Solution:
def top_k_frequent(self, words: List[str], k: int) -> List[str]:
count = collections.Counter(words)
count_i = collections.defaultdict(list)
for c in count:
count_i[count[c]].append(c)
large = list(sorted(count_i.keys()))
total = 0
ans = []
for l in large[::-1]:
total += len(count_i[l])
if total <= k:
ans.extend(sorted(count_i[l]))
elif total > k:
ans.extend(sorted(count_i[l])[:k - total])
break
return ans
class Solutionii:
def top_k_frequent(self, words: List[str], k: int) -> List[str]:
count = collections.Counter(words)
res = sorted(count, key=lambda x: (-count[x], x))
return res[:k] |
name='green'
def get_line(in_f,num=1):
line = in_f.readline()
obj = line.split(' ')
if len(obj) != num and -1 != num:
print('ERROR')
for i in range(len(obj)):
obj[i] = int(obj[i])
return obj
def check_in_file(in_f):
[T,n] = get_line(in_f,2)
LJ = True
LJ1 = True
for i in range(T):
L = get_line(in_f,n)
for j in range(n):
if L[j] != j+1:
LJ = False
if L[j] != 1 and j != n-1:
LJ1 = False
assert(1<=L[j] and L[j]<=j+1)
print([T,n,LJ,LJ1])
for i in range(1,21):
print("data%d:\n"%i)
in_f=open('../data/%d.in'%(i),'r')
check_in_file(in_f)
in_f.close()
for i in range(1,4):
in_f=open('../down/%d.in'%(i),'r')
check_in_file(in_f)
in_f.close() | name = 'green'
def get_line(in_f, num=1):
line = in_f.readline()
obj = line.split(' ')
if len(obj) != num and -1 != num:
print('ERROR')
for i in range(len(obj)):
obj[i] = int(obj[i])
return obj
def check_in_file(in_f):
[t, n] = get_line(in_f, 2)
lj = True
lj1 = True
for i in range(T):
l = get_line(in_f, n)
for j in range(n):
if L[j] != j + 1:
lj = False
if L[j] != 1 and j != n - 1:
lj1 = False
assert 1 <= L[j] and L[j] <= j + 1
print([T, n, LJ, LJ1])
for i in range(1, 21):
print('data%d:\n' % i)
in_f = open('../data/%d.in' % i, 'r')
check_in_file(in_f)
in_f.close()
for i in range(1, 4):
in_f = open('../down/%d.in' % i, 'r')
check_in_file(in_f)
in_f.close() |
#
# PySNMP MIB module INNOVX-DTE-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/INNOVX-DTE-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:42:33 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ConstraintsIntersection, ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion")
dteGroup, = mibBuilder.importSymbols("INNOVX-CORE-MIB", "dteGroup")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Unsigned32, MibIdentifier, ObjectIdentity, TimeTicks, ModuleIdentity, Gauge32, IpAddress, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, iso, Counter32, NotificationType, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "Unsigned32", "MibIdentifier", "ObjectIdentity", "TimeTicks", "ModuleIdentity", "Gauge32", "IpAddress", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "iso", "Counter32", "NotificationType", "Integer32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
dteAdmin = MibIdentifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 1))
dteCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2))
dteAlarmCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 3))
dteDiagnostics = MibIdentifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4))
dteStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5))
dtesMIBversion = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtesMIBversion.setStatus('mandatory')
dteInterfaceType = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("v28", 1), ("v35", 2), ("rs449", 3), ("eia530", 4), ("eia530a", 5), ("x21", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dteInterfaceType.setStatus('mandatory')
dteTxInvertingTiming = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("slaveNormal", 1), ("slaveInvert", 2), ("external", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dteTxInvertingTiming.setStatus('mandatory')
dteRxCarrier = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("forcedOn", 1), ("normal", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dteRxCarrier.setStatus('mandatory')
dteDsrControl = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("forcedOn", 1), ("followsDTR", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dteDsrControl.setStatus('mandatory')
dteDtrLossTrapSeverity = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 3, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("inhibit", 1), ("critical", 2), ("major", 3), ("minor", 4), ("warning", 5), ("info", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dteDtrLossTrapSeverity.setStatus('mandatory')
dteLoopback = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noTest", 1), ("toChan", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dteLoopback.setStatus('mandatory')
dteDiagTestDuration = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("testTime1Min", 1), ("testTime5Mins", 2), ("testTime10Mins", 3), ("testTime20Mins", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dteDiagTestDuration.setStatus('mandatory')
dteDiagTestStatus = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("statDteLoop", 1), ("statNoTestinProgress", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dteDiagTestStatus.setStatus('mandatory')
dteLedStatus = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: dteLedStatus.setStatus('mandatory')
dtePortStatus = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtePortStatus.setStatus('mandatory')
dtePortFrameCounts = MibScalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtePortFrameCounts.setStatus('mandatory')
mibBuilder.exportSymbols("INNOVX-DTE-MIB", dteAlarmCfg=dteAlarmCfg, dteCfg=dteCfg, dteLoopback=dteLoopback, dteDiagTestStatus=dteDiagTestStatus, dteInterfaceType=dteInterfaceType, dteAdmin=dteAdmin, dteLedStatus=dteLedStatus, dtePortFrameCounts=dtePortFrameCounts, dteTxInvertingTiming=dteTxInvertingTiming, dteDiagTestDuration=dteDiagTestDuration, dteDtrLossTrapSeverity=dteDtrLossTrapSeverity, dteDsrControl=dteDsrControl, dteStatus=dteStatus, dtesMIBversion=dtesMIBversion, dteRxCarrier=dteRxCarrier, dteDiagnostics=dteDiagnostics, dtePortStatus=dtePortStatus)
| (octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, constraints_intersection, value_range_constraint, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion')
(dte_group,) = mibBuilder.importSymbols('INNOVX-CORE-MIB', 'dteGroup')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(unsigned32, mib_identifier, object_identity, time_ticks, module_identity, gauge32, ip_address, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, iso, counter32, notification_type, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Unsigned32', 'MibIdentifier', 'ObjectIdentity', 'TimeTicks', 'ModuleIdentity', 'Gauge32', 'IpAddress', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'iso', 'Counter32', 'NotificationType', 'Integer32')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
dte_admin = mib_identifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 1))
dte_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2))
dte_alarm_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 3))
dte_diagnostics = mib_identifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4))
dte_status = mib_identifier((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5))
dtes_mi_bversion = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtesMIBversion.setStatus('mandatory')
dte_interface_type = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('v28', 1), ('v35', 2), ('rs449', 3), ('eia530', 4), ('eia530a', 5), ('x21', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dteInterfaceType.setStatus('mandatory')
dte_tx_inverting_timing = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('slaveNormal', 1), ('slaveInvert', 2), ('external', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dteTxInvertingTiming.setStatus('mandatory')
dte_rx_carrier = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('forcedOn', 1), ('normal', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dteRxCarrier.setStatus('mandatory')
dte_dsr_control = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 2, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('forcedOn', 1), ('followsDTR', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dteDsrControl.setStatus('mandatory')
dte_dtr_loss_trap_severity = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 3, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('inhibit', 1), ('critical', 2), ('major', 3), ('minor', 4), ('warning', 5), ('info', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dteDtrLossTrapSeverity.setStatus('mandatory')
dte_loopback = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('noTest', 1), ('toChan', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dteLoopback.setStatus('mandatory')
dte_diag_test_duration = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('testTime1Min', 1), ('testTime5Mins', 2), ('testTime10Mins', 3), ('testTime20Mins', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dteDiagTestDuration.setStatus('mandatory')
dte_diag_test_status = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 4, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('statDteLoop', 1), ('statNoTestinProgress', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dteDiagTestStatus.setStatus('mandatory')
dte_led_status = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5, 1), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dteLedStatus.setStatus('mandatory')
dte_port_status = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtePortStatus.setStatus('mandatory')
dte_port_frame_counts = mib_scalar((1, 3, 6, 1, 4, 1, 498, 22, 1, 6, 5, 3), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtePortFrameCounts.setStatus('mandatory')
mibBuilder.exportSymbols('INNOVX-DTE-MIB', dteAlarmCfg=dteAlarmCfg, dteCfg=dteCfg, dteLoopback=dteLoopback, dteDiagTestStatus=dteDiagTestStatus, dteInterfaceType=dteInterfaceType, dteAdmin=dteAdmin, dteLedStatus=dteLedStatus, dtePortFrameCounts=dtePortFrameCounts, dteTxInvertingTiming=dteTxInvertingTiming, dteDiagTestDuration=dteDiagTestDuration, dteDtrLossTrapSeverity=dteDtrLossTrapSeverity, dteDsrControl=dteDsrControl, dteStatus=dteStatus, dtesMIBversion=dtesMIBversion, dteRxCarrier=dteRxCarrier, dteDiagnostics=dteDiagnostics, dtePortStatus=dtePortStatus) |
# Copyright 2019 Trend Micro.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
def override_reconnaissance_scan(api, configuration, api_version, api_exception, computer_id):
""" Overrides a computer to enable Firewall reconnaissance scan.
:param api: The Deep Security API modules.
:param configuration: Configuration object to pass to the api client.
:param api_version: The version of the API to use.
:param api_exception: The Deep Security API exception module.
:param computer_id: The ID of the computer to override.
:return: A Computer object that contains only overrides.
"""
# Set the value for firewall_setting_reconnaissance_enabled
setting_value = api.SettingValue()
setting_value.value = "true"
# Apply the override to the computer
computers_api = api.ComputersApi(api.ApiClient(configuration))
return computers_api.modify_computer_setting(computer_id, api.ComputerSettings.firewall_setting_reconnaissance_enabled, setting_value, api_version, overrides=True)
def get_computer_overrides(api, configuration, api_version, api_exception, computer_id, expand):
""" Gets a Computer object that contains only overrides.
:param api: The Deep Security API modules.
:param configuration: Configuration object to pass to the api client.
:param api_version: The version of the API to use.
:param api_exception: The Deep Security API exception module.
:param computer_id: The ID of the computer.
:param expand: The information to include in the returned Computer object
:return: A Computer object that contains only overrides.
"""
# Get the Computer object with overrides set to True
computers_api = api.ComputersApi(api.ApiClient(configuration))
return computers_api.describe_computer(computer_id, api_version, expand=expand.list(), overrides=True)
| def override_reconnaissance_scan(api, configuration, api_version, api_exception, computer_id):
""" Overrides a computer to enable Firewall reconnaissance scan.
:param api: The Deep Security API modules.
:param configuration: Configuration object to pass to the api client.
:param api_version: The version of the API to use.
:param api_exception: The Deep Security API exception module.
:param computer_id: The ID of the computer to override.
:return: A Computer object that contains only overrides.
"""
setting_value = api.SettingValue()
setting_value.value = 'true'
computers_api = api.ComputersApi(api.ApiClient(configuration))
return computers_api.modify_computer_setting(computer_id, api.ComputerSettings.firewall_setting_reconnaissance_enabled, setting_value, api_version, overrides=True)
def get_computer_overrides(api, configuration, api_version, api_exception, computer_id, expand):
""" Gets a Computer object that contains only overrides.
:param api: The Deep Security API modules.
:param configuration: Configuration object to pass to the api client.
:param api_version: The version of the API to use.
:param api_exception: The Deep Security API exception module.
:param computer_id: The ID of the computer.
:param expand: The information to include in the returned Computer object
:return: A Computer object that contains only overrides.
"""
computers_api = api.ComputersApi(api.ApiClient(configuration))
return computers_api.describe_computer(computer_id, api_version, expand=expand.list(), overrides=True) |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
summ = 0
def helper(self, root: TreeNode) -> TreeNode:
if not root: return None
root.right = self.helper(root.right)
Solution.summ += root.val
root.val = Solution.summ
root.left = self.helper(root.left)
return root
def bstToGst(self, root: TreeNode) -> TreeNode:
if not root: return None
Solution.summ = 0
return self.helper(root)
| class Solution:
summ = 0
def helper(self, root: TreeNode) -> TreeNode:
if not root:
return None
root.right = self.helper(root.right)
Solution.summ += root.val
root.val = Solution.summ
root.left = self.helper(root.left)
return root
def bst_to_gst(self, root: TreeNode) -> TreeNode:
if not root:
return None
Solution.summ = 0
return self.helper(root) |
class Parent1:
def __call__(self):
return 'parent1'
class Parent2:
def foo(self):
return 'parent2'
class Child1(Parent1):
pass
| class Parent1:
def __call__(self):
return 'parent1'
class Parent2:
def foo(self):
return 'parent2'
class Child1(Parent1):
pass |
class PyCharm:
def execute(self):
print("Compiling")
print("Running")
class MyCharm:
def execute(self):
print("Spell Check")
print("Convention Check")
print("Compiling")
print("Running")
class Laptop:
def code(self, ide):
ide.execute()
ide = PyCharm()
ide2 = MyCharm()
lap = Laptop()
lap.code(ide2)
| class Pycharm:
def execute(self):
print('Compiling')
print('Running')
class Mycharm:
def execute(self):
print('Spell Check')
print('Convention Check')
print('Compiling')
print('Running')
class Laptop:
def code(self, ide):
ide.execute()
ide = py_charm()
ide2 = my_charm()
lap = laptop()
lap.code(ide2) |
def load_data(file_name: str = "sample"):
file = open(file_name)
data, result = [], []
try:
for line in file.read().splitlines():
data.append(line.split(" "))
except Exception as e:
print(e)
finally:
file.close()
for line in data:
result.append([i for i in line])
return result
| def load_data(file_name: str='sample'):
file = open(file_name)
(data, result) = ([], [])
try:
for line in file.read().splitlines():
data.append(line.split(' '))
except Exception as e:
print(e)
finally:
file.close()
for line in data:
result.append([i for i in line])
return result |
coordinates = (1, 2, 3)
# coordinates[0] * coordinates[1] * coordinates[2]
# x = coordinates[0]
# y = coordinates[1]
# z = coordinates[2]
# x * y * z
# better way
x, y, z = coordinates
# works with lists too
| coordinates = (1, 2, 3)
(x, y, z) = coordinates |
class TargetDensityError(Exception):
def __init__(self, target_density, current_density, target_metric):
p1 = f"""Target Density of {target_density} {target_metric} """
p2 = f"""is greater than Stand Total of {round(current_density, 1)} {target_metric}. """
p3 = f"""Please lower Target Density"""
self.message = p1 + p2 + p3
super(TargetDensityError, self).__init__(self.message)
class ImportSheetError(Exception):
def __init__(self, filename, message_bucket):
mesaages = '\n-'.join(message_bucket)
self.message = f'\nFile: {filename}\n-{mesaages}'
super(ImportSheetError, self).__init__(self.message) | class Targetdensityerror(Exception):
def __init__(self, target_density, current_density, target_metric):
p1 = f'Target Density of {target_density} {target_metric} '
p2 = f'is greater than Stand Total of {round(current_density, 1)} {target_metric}. '
p3 = f'Please lower Target Density'
self.message = p1 + p2 + p3
super(TargetDensityError, self).__init__(self.message)
class Importsheeterror(Exception):
def __init__(self, filename, message_bucket):
mesaages = '\n-'.join(message_bucket)
self.message = f'\nFile: {filename}\n-{mesaages}'
super(ImportSheetError, self).__init__(self.message) |
class Node:
def __init__(self,info):
self.info = info
self.left = None
self.right = None
self.level = None
def __str__(self):
return str(self.info)
class BinarySearchTree:
def __init__(self):
self.root = None
def create(self, val):
if self.root == None:
self.root = Node(val)
else:
current = self.root
while True:
if val < current.info:
if current.left:
current = current.left
else:
current.left = Node(val)
break
elif val > current.info:
if current.right:
current = current.right
else:
current.right = Node(val)
break
else:
break
def height(root):
if root.left and root.right:
return 1 + max(height(root.left), height(root.right))
elif root.left:
return 1
elif root.right:
return 1
else:
return 0
tree = BinarySearchTree()
t = int(input())
for _ in range(t):
x = int(input())
tree.create(x)
print(height(tree.root))
'''
#alternate solution
def height(root):
if root:
return 1 + max(height(root.left), height(root.right))
else:
return -1
def getTreeHeight(node):
return 1 + max(getTreeHeight(node.left), getTreeHeight(node.right)) if node else -1
'''
| class Node:
def __init__(self, info):
self.info = info
self.left = None
self.right = None
self.level = None
def __str__(self):
return str(self.info)
class Binarysearchtree:
def __init__(self):
self.root = None
def create(self, val):
if self.root == None:
self.root = node(val)
else:
current = self.root
while True:
if val < current.info:
if current.left:
current = current.left
else:
current.left = node(val)
break
elif val > current.info:
if current.right:
current = current.right
else:
current.right = node(val)
break
else:
break
def height(root):
if root.left and root.right:
return 1 + max(height(root.left), height(root.right))
elif root.left:
return 1
elif root.right:
return 1
else:
return 0
tree = binary_search_tree()
t = int(input())
for _ in range(t):
x = int(input())
tree.create(x)
print(height(tree.root))
'\n#alternate solution\n\ndef height(root):\n if root:\n return 1 + max(height(root.left), height(root.right))\n else:\n return -1\n\ndef getTreeHeight(node):\n return 1 + max(getTreeHeight(node.left), getTreeHeight(node.right)) if node else -1\n\n' |
"""
This program prints a variable saved in a function.
"""
def print_something():
x = 10
print(x)
print_something() | """
This program prints a variable saved in a function.
"""
def print_something():
x = 10
print(x)
print_something() |
# Time: O(n)
# Space: O(1)
class Solution(object):
def minCostToMoveChips(self, chips):
"""
:type chips: List[int]
:rtype: int
"""
count = [0]*2
for p in chips:
count[p%2] += 1
return min(count)
| class Solution(object):
def min_cost_to_move_chips(self, chips):
"""
:type chips: List[int]
:rtype: int
"""
count = [0] * 2
for p in chips:
count[p % 2] += 1
return min(count) |
"""
Revision Date: 2021.08.15
SPDX-License-Identifier: BSD-2-Clause
Copyright (c) 2021 Stuart Nolan. All rights reserved.
heatOfRxn(dictionary comp, dictionary db, float T):
Parameters:
comp, dictionary of components keys
values: dictionary {stoic: [+,-] float,
state: [v,l,s]}
stoic key: negative values for reactants
state: v = vapor, l = liquid, s = solid
db, database of pure component material properites, each comp key must
be a key in db
T, temperature in K
Returns:
heat of reaction at T in J/mol
"""
# check for free energy formation for each comp in db
# check for vapor, liquid, solid heat capacity data for each comp in db
# check for state changes between reference temp 298.15 K and T
| """
Revision Date: 2021.08.15
SPDX-License-Identifier: BSD-2-Clause
Copyright (c) 2021 Stuart Nolan. All rights reserved.
heatOfRxn(dictionary comp, dictionary db, float T):
Parameters:
comp, dictionary of components keys
values: dictionary {stoic: [+,-] float,
state: [v,l,s]}
stoic key: negative values for reactants
state: v = vapor, l = liquid, s = solid
db, database of pure component material properites, each comp key must
be a key in db
T, temperature in K
Returns:
heat of reaction at T in J/mol
""" |
class Character:
def __init__(self, gear: int, name: str, relic: int = 0) -> None:
self.__gear: int = gear
self.__relic = relic
self.__name: str = name
@property
def gear(self) -> int:
return self.__gear
@property
def relic(self):
return self.__relic
@property
def name(self):
return self.__name
| class Character:
def __init__(self, gear: int, name: str, relic: int=0) -> None:
self.__gear: int = gear
self.__relic = relic
self.__name: str = name
@property
def gear(self) -> int:
return self.__gear
@property
def relic(self):
return self.__relic
@property
def name(self):
return self.__name |
# Copyright 2018 The Bazel Authors. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
load("//kotlin/internal:kt.bzl", "kt")
load("//kotlin/internal:kt_js.bzl", "kt_js")
load("//kotlin/internal:plugins.bzl", "plugins")
load("//kotlin/internal:utils.bzl", "utils")
def _declare_output_directory(ctx, aspect, dir_name):
return ctx.actions.declare_directory("_kotlinc/%s_%s/%s_%s" % (ctx.label.name, aspect, ctx.label.name, dir_name))
def _kotlin_do_compile_action(ctx, rule_kind, output_jar, compile_jars, module_name, friend_paths, srcs):
"""Internal macro that sets up a Kotlin compile action.
This macro only supports a single Kotlin compile operation for a rule.
Args:
rule_kind: The rule kind,
output_jar: The jar file that this macro will use as the output of the action.
compile_jars: The compile time jars provided on the classpath for the compile operations -- callers are
responsible for preparing the classpath. The stdlib (and jdk7 + jdk8) should generally be added to the classpath
by the caller -- kotlin-reflect could be optional.
"""
classes_directory=_declare_output_directory(ctx, "jvm", "classes")
generated_classes_directory=_declare_output_directory(ctx, "jvm", "generated_classes")
sourcegen_directory=_declare_output_directory(ctx, "jvm", "sourcegenfiles")
temp_directory=_declare_output_directory(ctx, "jvm", "temp")
toolchain=ctx.toolchains[kt.defs.TOOLCHAIN_TYPE]
args = [
"--target_label", ctx.label,
"--rule_kind", rule_kind,
"--classdir", classes_directory.path,
"--sourcegendir", sourcegen_directory.path,
"--tempdir", temp_directory.path,
"--kotlin_generated_classdir", generated_classes_directory.path,
"--output", output_jar.path,
"--output_jdeps", ctx.outputs.jdeps.path,
"--classpath", "\n".join([f.path for f in compile_jars.to_list()]),
"--kotlin_friend_paths", "\n".join(friend_paths.to_list()),
"--kotlin_jvm_target", toolchain.jvm_target,
"--kotlin_api_version", toolchain.api_version,
"--kotlin_language_version", toolchain.language_version,
"--kotlin_module_name", module_name,
"--kotlin_passthrough_flags", "-Xcoroutines=%s" % toolchain.coroutines
]
if (len(srcs.kt) + len(srcs.java)) > 0:
args += ["--sources", "\n".join([s.path for s in (srcs.kt + srcs.java)])]
if len(srcs.src_jars) > 0:
args += ["--source_jars", "\n".join([sj.path for sj in srcs.src_jars])]
# Collect and prepare plugin descriptor for the worker.
plugin_info=plugins.merge_plugin_infos(ctx.attr.plugins + ctx.attr.deps)
if len(plugin_info.annotation_processors) > 0:
args += [ "--kt-plugins", plugin_info.to_json() ]
# Declare and write out argument file.
args_file = ctx.actions.declare_file(ctx.label.name + ".jar-2.params")
ctx.actions.write(args_file, "\n".join(args))
progress_message = "Compiling Kotlin %s { kt: %d, java: %d, srcjars: %d }" % (
ctx.label,
len(srcs.kt),
len(srcs.java),
len(srcs.src_jars)
)
inputs, _, input_manifests = ctx.resolve_command(tools = [toolchain.kotlinbuilder])
ctx.actions.run(
mnemonic = "KotlinCompile",
inputs = depset([args_file]) + inputs + ctx.files.srcs + compile_jars,
outputs = [
output_jar,
ctx.outputs.jdeps,
sourcegen_directory,
classes_directory,
temp_directory,
generated_classes_directory
],
executable = toolchain.kotlinbuilder.files_to_run.executable,
execution_requirements = {"supports-workers": "1"},
arguments = ["@" + args_file.path],
progress_message = progress_message,
input_manifests = input_manifests
)
def _kotlin_do_js_compile_action(ctx, output_js, srcs):
"""Internal macro that sets up a Kotlin js compile action.
This macro only supports a single Kotlin js compile operation for a rule.
Args:
TODO: TODO
"""
temp_directory=_declare_output_directory(ctx, "js", "temp")
toolchain=ctx.toolchains[kt.defs.TOOLCHAIN_TYPE]
# TODO: convert these to all the ones needed by kotlin-js. For now these
# are the minimal options needed for a proof of concept
args = [
"--output", output_js.path,
"--kotlin_passthrough_flags", "-Xcoroutines=%s" % toolchain.coroutines
]
# if (len(srcs.kt) + len(srcs.java)) > 0:
# args += ["--sources", "\n".join([s.path for s in (srcs.kt + srcs.java)])]
#
# if len(srcs.src_jars) > 0:
# args += ["--source_jars", "\n".join([sj.path for sj in srcs.src_jars])]
#
# # Collect and prepare plugin descriptor for the worker.
# plugin_info=plugins.merge_plugin_infos(ctx.attr.plugins + ctx.attr.deps)
# if len(plugin_info.annotation_processors) > 0:
# args += [ "--kt-plugins", plugin_info.to_json() ]
# Declare and write out argument file.
args_file = ctx.actions.declare_file(ctx.label.name + ".js-2.params")
ctx.actions.write(args_file, "\n".join(args))
progress_message = "Compiling Kotlin %s { kt: %d }" % (
ctx.label,
len(srcs.kt),
)
inputs, _, input_manifests = ctx.resolve_command(tools = [toolchain.kotlinbuilder])
ctx.actions.run(
mnemonic = "KotlinCompile",
inputs = depset([args_file]) + inputs + ctx.files.srcs,
outputs = [
output_js
],
executable = toolchain.kotlinbuilder.files_to_run.executable,
execution_requirements = {"supports-workers": "1"},
arguments = ["@" + args_file.path],
progress_message = progress_message,
input_manifests = input_manifests
)
def _select_std_libs(ctx):
return ctx.toolchains[kt.defs.TOOLCHAIN_TYPE].jvm_stdlibs
def _make_java_provider(ctx, srcs, input_deps=[], auto_deps=[]):
"""Creates the java_provider for a Kotlin target.
This macro is distinct from the kotlin_make_providers as collecting the java_info is useful before the DefaultInfo is
created.
Args:
ctx: The ctx of the rule in scope when this macro is called. The macro will pick up the following entities from
the rule ctx:
* The default output jar.
* The `deps` for this provider.
* Optionally `exports` (see java rules).
* The `_kotlin_runtime` implicit dependency.
Returns:
A JavaInfo provider.
"""
runtime = ctx.toolchains[kt.defs.TOOLCHAIN_TYPE].jvm_runtime
deps=utils.collect_all_jars(input_deps)
exported_deps=utils.collect_all_jars(getattr(ctx.attr, "exports", []))
my_compile_jars = exported_deps.compile_jars + [ctx.outputs.jar]
my_runtime_jars = exported_deps.transitive_runtime_jars + [ctx.outputs.jar]
my_transitive_compile_jars = my_compile_jars + deps.transitive_compile_time_jars + exported_deps.transitive_compile_time_jars + auto_deps
my_transitive_runtime_jars = my_runtime_jars + deps.transitive_runtime_jars + exported_deps.transitive_runtime_jars + runtime + auto_deps
# collect the runtime jars from the runtime_deps attribute.
for jar in ctx.attr.runtime_deps:
my_transitive_runtime_jars += jar[JavaInfo].transitive_runtime_jars
return java_common.create_provider(
use_ijar = False,
# A list or set of output source jars that contain the uncompiled source files including the source files
# generated by annotation processors if the case.
source_jars = utils.actions.maybe_make_srcsjar(ctx, srcs),
# A list or a set of jars that should be used at compilation for a given target.
compile_time_jars = my_compile_jars,
# A list or a set of jars that should be used at runtime for a given target.
runtime_jars = my_runtime_jars,
transitive_compile_time_jars = my_transitive_compile_jars,
transitive_runtime_jars = my_transitive_runtime_jars
)
def _make_js_provider(ctx, srcs, input_deps=[], auto_deps=[]):
# TODO: Make this return some useful provider. See
# https://docs.bazel.build/versions/master/skylark/lib/skylark-provider.html#providers
# See rules_typescript/internal/build_defs.bzl
"""Creates the java_provider for a Kotlin target.
This macro is distinct from the kotlin_make_providers as collecting the java_info is useful before the DefaultInfo is
created.
Args:
ctx: The ctx of the rule in scope when this macro is called. The macro will pick up the following entities from
the rule ctx:
* The default output jar.
* The `deps` for this provider.
* Optionally `exports` (see java rules).
* The `_kotlin_runtime` implicit dependency.
Returns:
A JavaInfo provider.
"""
deps=utils.collect_all_jars(input_deps)
exported_deps=utils.collect_all_jars(getattr(ctx.attr, "exports", []))
# see https://docs.bazel.build/versions/master/skylark/lib/actions.html#run
# TODO: Some action here to compile js?
ctx.actions.run(
executable = "kotlinc_js",
progress_message = "Compiling Kotlin JS",
inputs = srcs.kt,
outputs = [ctx.outputs.js],
)
# TODO: Should something useful go in this providers?
js_provider = provider(
doc = "a provider",
fields = {},
)
return provider()
def _make_providers(ctx, java_info, module_name, transitive_files=depset(order="default")):
kotlin_info=kt.info.KtInfo(
srcs=ctx.files.srcs,
module_name = module_name,
# intelij aspect needs this.
outputs = struct(
jdeps = ctx.outputs.jdeps,
jars = [struct(
class_jar = ctx.outputs.jar,
ijar = None,
source_jars = java_info.source_jars
)]
),
)
default_info = DefaultInfo(
files=depset([ctx.outputs.jar]),
runfiles=ctx.runfiles(
transitive_files=transitive_files,
collect_default=True
),
)
return struct(
kt=kotlin_info,
providers=[java_info,default_info,kotlin_info],
)
def _js_make_providers(ctx, js_info, module_name, transitive_files=depset(order="default")):
# TODO: How should js_info be used? Ignored for now
kotlin_info=kt_js.info.KtJsInfo(
srcs=ctx.files.srcs,
module_name = module_name,
# intelij aspect needs this.
outputs = struct(
js = [struct(
js = ctx.outputs.js,
)]
),
)
# TODO: Where does this belong? Probably not here?
# see https://docs.bazel.build/versions/master/skylark/lib/actions.html#run
ctx.actions.run(
executable = "kotlinc_js",
progress_message = "Compiling Kotlin JS",
inputs = srcs.kt,
outputs = [ctx.outputs.js],
)
default_info = DefaultInfo(
files=depset([ctx.outputs.js]),
runfiles=ctx.runfiles(
transitive_files=transitive_files,
collect_default=True
),
)
print(js_info)
print(kotlin_info)
return struct(
kt=kotlin_info,
# providers=[js_info,default_info,kotlin_info],
providers=[default_info,kotlin_info],
)
def _compile_action(ctx, rule_kind, module_name, friend_paths=depset(), src_jars=[]):
"""Setup a kotlin compile action.
Args:
ctx: The rule context.
Returns:
A JavaInfo struct for the output jar that this macro will build.
"""
# The main output jars
output_jar = ctx.outputs.jar
# The output of the compile step may be combined (folded) with other entities -- e.g., other class files from annotation processing, embedded resources.
kt_compile_output_jar=output_jar
# the list of jars to merge into the final output, start with the resource jars if any were provided.
output_merge_list=ctx.files.resource_jars
# If this rule has any resources declared setup a zipper action to turn them into a jar and then add the declared zipper output to the merge list.
if len(ctx.files.resources) > 0:
output_merge_list = output_merge_list + [utils.actions.build_resourcejar(ctx)]
# If this compile operation requires merging other jars setup the compile operation to go to a intermediate file and add that file to the merge list.
if len(output_merge_list) > 0:
# Intermediate jar containing the Kotlin compile output.
kt_compile_output_jar=ctx.new_file(ctx.label.name + "-ktclass.jar")
# If we setup indirection than the first entry in the merge list is the result of the kotlin compile action.
output_merge_list=[ kt_compile_output_jar ] + output_merge_list
kotlin_auto_deps=_select_std_libs(ctx)
deps = ctx.attr.deps + getattr(ctx.attr, "friends", [])
srcs = utils.partition_srcs(ctx.files.srcs)
if (len(srcs.kt) + len(srcs.java) == 0) and len(srcs.src_jars) == 0:
fail("no sources provided")
# setup the compile action.
_kotlin_do_compile_action(
ctx,
rule_kind = rule_kind,
output_jar = kt_compile_output_jar,
compile_jars = utils.collect_jars_for_compile(deps) + kotlin_auto_deps,
module_name = module_name,
friend_paths = friend_paths,
srcs = srcs
)
# setup the merge action if needed.
if len(output_merge_list) > 0:
utils.actions.fold_jars(ctx, output_jar, output_merge_list)
# create the java provider but the kotlin and default provider cannot be created here.
return _make_java_provider(ctx, srcs, deps, kotlin_auto_deps)
def _js_compile_action(ctx, rule_kind, module_name, friend_paths=depset(), src_jars=[]):
"""Setup a kotlin js compile action.
Args:
ctx: The rule context.
Returns:
A JavaInfo struct for the output js file that this macro will build.
"""
# The main output js file
output_js = ctx.outputs.js
# The output of the compile step may be combined (folded) with other entities -- e.g., other class files from annotation processing, embedded resources.
kt_compile_output_js=output_js
# TODO: implement this to pull in the kotlin js library
# kotlin_auto_deps=_select_std_libs(ctx)
deps = ctx.attr.deps + getattr(ctx.attr, "friends", [])
srcs = utils.js_partition_srcs(ctx.files.srcs)
if len(srcs.kt) == 0:
fail("no sources provided")
# setup the compile action.
_kotlin_do_js_compile_action(
ctx,
output_js = kt_compile_output_js,
srcs = srcs
)
# setup the merge action if needed.
# if len(output_merge_list) > 0:
# utils.actions.fold_jars(ctx, output_jar, output_merge_list)
# create the java provider but the kotlin and default provider cannot be created here.
# TODO: This is not needed, but would be a future hook to postprocess
# individually-compiled JS files, e.g. bundling via webpack or something
# Possibly run_rollup - see https://bazelbuild.github.io/rules_nodejs/rollup/rollup_bundle.html#run_rollup
# e.g. https://github.com/angular/angular/blob/master/packages/bazel/src/ng_package/ng_package.bzl#L79
# Or maybe not - that's a custom implementation for angular
return _make_js_provider(ctx, srcs, deps)
compile = struct(
compile_action = _compile_action,
js_compile_action = _js_compile_action,
make_providers = _make_providers,
js_make_providers = _js_make_providers,
)
| load('//kotlin/internal:kt.bzl', 'kt')
load('//kotlin/internal:kt_js.bzl', 'kt_js')
load('//kotlin/internal:plugins.bzl', 'plugins')
load('//kotlin/internal:utils.bzl', 'utils')
def _declare_output_directory(ctx, aspect, dir_name):
return ctx.actions.declare_directory('_kotlinc/%s_%s/%s_%s' % (ctx.label.name, aspect, ctx.label.name, dir_name))
def _kotlin_do_compile_action(ctx, rule_kind, output_jar, compile_jars, module_name, friend_paths, srcs):
"""Internal macro that sets up a Kotlin compile action.
This macro only supports a single Kotlin compile operation for a rule.
Args:
rule_kind: The rule kind,
output_jar: The jar file that this macro will use as the output of the action.
compile_jars: The compile time jars provided on the classpath for the compile operations -- callers are
responsible for preparing the classpath. The stdlib (and jdk7 + jdk8) should generally be added to the classpath
by the caller -- kotlin-reflect could be optional.
"""
classes_directory = _declare_output_directory(ctx, 'jvm', 'classes')
generated_classes_directory = _declare_output_directory(ctx, 'jvm', 'generated_classes')
sourcegen_directory = _declare_output_directory(ctx, 'jvm', 'sourcegenfiles')
temp_directory = _declare_output_directory(ctx, 'jvm', 'temp')
toolchain = ctx.toolchains[kt.defs.TOOLCHAIN_TYPE]
args = ['--target_label', ctx.label, '--rule_kind', rule_kind, '--classdir', classes_directory.path, '--sourcegendir', sourcegen_directory.path, '--tempdir', temp_directory.path, '--kotlin_generated_classdir', generated_classes_directory.path, '--output', output_jar.path, '--output_jdeps', ctx.outputs.jdeps.path, '--classpath', '\n'.join([f.path for f in compile_jars.to_list()]), '--kotlin_friend_paths', '\n'.join(friend_paths.to_list()), '--kotlin_jvm_target', toolchain.jvm_target, '--kotlin_api_version', toolchain.api_version, '--kotlin_language_version', toolchain.language_version, '--kotlin_module_name', module_name, '--kotlin_passthrough_flags', '-Xcoroutines=%s' % toolchain.coroutines]
if len(srcs.kt) + len(srcs.java) > 0:
args += ['--sources', '\n'.join([s.path for s in srcs.kt + srcs.java])]
if len(srcs.src_jars) > 0:
args += ['--source_jars', '\n'.join([sj.path for sj in srcs.src_jars])]
plugin_info = plugins.merge_plugin_infos(ctx.attr.plugins + ctx.attr.deps)
if len(plugin_info.annotation_processors) > 0:
args += ['--kt-plugins', plugin_info.to_json()]
args_file = ctx.actions.declare_file(ctx.label.name + '.jar-2.params')
ctx.actions.write(args_file, '\n'.join(args))
progress_message = 'Compiling Kotlin %s { kt: %d, java: %d, srcjars: %d }' % (ctx.label, len(srcs.kt), len(srcs.java), len(srcs.src_jars))
(inputs, _, input_manifests) = ctx.resolve_command(tools=[toolchain.kotlinbuilder])
ctx.actions.run(mnemonic='KotlinCompile', inputs=depset([args_file]) + inputs + ctx.files.srcs + compile_jars, outputs=[output_jar, ctx.outputs.jdeps, sourcegen_directory, classes_directory, temp_directory, generated_classes_directory], executable=toolchain.kotlinbuilder.files_to_run.executable, execution_requirements={'supports-workers': '1'}, arguments=['@' + args_file.path], progress_message=progress_message, input_manifests=input_manifests)
def _kotlin_do_js_compile_action(ctx, output_js, srcs):
"""Internal macro that sets up a Kotlin js compile action.
This macro only supports a single Kotlin js compile operation for a rule.
Args:
TODO: TODO
"""
temp_directory = _declare_output_directory(ctx, 'js', 'temp')
toolchain = ctx.toolchains[kt.defs.TOOLCHAIN_TYPE]
args = ['--output', output_js.path, '--kotlin_passthrough_flags', '-Xcoroutines=%s' % toolchain.coroutines]
args_file = ctx.actions.declare_file(ctx.label.name + '.js-2.params')
ctx.actions.write(args_file, '\n'.join(args))
progress_message = 'Compiling Kotlin %s { kt: %d }' % (ctx.label, len(srcs.kt))
(inputs, _, input_manifests) = ctx.resolve_command(tools=[toolchain.kotlinbuilder])
ctx.actions.run(mnemonic='KotlinCompile', inputs=depset([args_file]) + inputs + ctx.files.srcs, outputs=[output_js], executable=toolchain.kotlinbuilder.files_to_run.executable, execution_requirements={'supports-workers': '1'}, arguments=['@' + args_file.path], progress_message=progress_message, input_manifests=input_manifests)
def _select_std_libs(ctx):
return ctx.toolchains[kt.defs.TOOLCHAIN_TYPE].jvm_stdlibs
def _make_java_provider(ctx, srcs, input_deps=[], auto_deps=[]):
"""Creates the java_provider for a Kotlin target.
This macro is distinct from the kotlin_make_providers as collecting the java_info is useful before the DefaultInfo is
created.
Args:
ctx: The ctx of the rule in scope when this macro is called. The macro will pick up the following entities from
the rule ctx:
* The default output jar.
* The `deps` for this provider.
* Optionally `exports` (see java rules).
* The `_kotlin_runtime` implicit dependency.
Returns:
A JavaInfo provider.
"""
runtime = ctx.toolchains[kt.defs.TOOLCHAIN_TYPE].jvm_runtime
deps = utils.collect_all_jars(input_deps)
exported_deps = utils.collect_all_jars(getattr(ctx.attr, 'exports', []))
my_compile_jars = exported_deps.compile_jars + [ctx.outputs.jar]
my_runtime_jars = exported_deps.transitive_runtime_jars + [ctx.outputs.jar]
my_transitive_compile_jars = my_compile_jars + deps.transitive_compile_time_jars + exported_deps.transitive_compile_time_jars + auto_deps
my_transitive_runtime_jars = my_runtime_jars + deps.transitive_runtime_jars + exported_deps.transitive_runtime_jars + runtime + auto_deps
for jar in ctx.attr.runtime_deps:
my_transitive_runtime_jars += jar[JavaInfo].transitive_runtime_jars
return java_common.create_provider(use_ijar=False, source_jars=utils.actions.maybe_make_srcsjar(ctx, srcs), compile_time_jars=my_compile_jars, runtime_jars=my_runtime_jars, transitive_compile_time_jars=my_transitive_compile_jars, transitive_runtime_jars=my_transitive_runtime_jars)
def _make_js_provider(ctx, srcs, input_deps=[], auto_deps=[]):
"""Creates the java_provider for a Kotlin target.
This macro is distinct from the kotlin_make_providers as collecting the java_info is useful before the DefaultInfo is
created.
Args:
ctx: The ctx of the rule in scope when this macro is called. The macro will pick up the following entities from
the rule ctx:
* The default output jar.
* The `deps` for this provider.
* Optionally `exports` (see java rules).
* The `_kotlin_runtime` implicit dependency.
Returns:
A JavaInfo provider.
"""
deps = utils.collect_all_jars(input_deps)
exported_deps = utils.collect_all_jars(getattr(ctx.attr, 'exports', []))
ctx.actions.run(executable='kotlinc_js', progress_message='Compiling Kotlin JS', inputs=srcs.kt, outputs=[ctx.outputs.js])
js_provider = provider(doc='a provider', fields={})
return provider()
def _make_providers(ctx, java_info, module_name, transitive_files=depset(order='default')):
kotlin_info = kt.info.KtInfo(srcs=ctx.files.srcs, module_name=module_name, outputs=struct(jdeps=ctx.outputs.jdeps, jars=[struct(class_jar=ctx.outputs.jar, ijar=None, source_jars=java_info.source_jars)]))
default_info = default_info(files=depset([ctx.outputs.jar]), runfiles=ctx.runfiles(transitive_files=transitive_files, collect_default=True))
return struct(kt=kotlin_info, providers=[java_info, default_info, kotlin_info])
def _js_make_providers(ctx, js_info, module_name, transitive_files=depset(order='default')):
kotlin_info = kt_js.info.KtJsInfo(srcs=ctx.files.srcs, module_name=module_name, outputs=struct(js=[struct(js=ctx.outputs.js)]))
ctx.actions.run(executable='kotlinc_js', progress_message='Compiling Kotlin JS', inputs=srcs.kt, outputs=[ctx.outputs.js])
default_info = default_info(files=depset([ctx.outputs.js]), runfiles=ctx.runfiles(transitive_files=transitive_files, collect_default=True))
print(js_info)
print(kotlin_info)
return struct(kt=kotlin_info, providers=[default_info, kotlin_info])
def _compile_action(ctx, rule_kind, module_name, friend_paths=depset(), src_jars=[]):
"""Setup a kotlin compile action.
Args:
ctx: The rule context.
Returns:
A JavaInfo struct for the output jar that this macro will build.
"""
output_jar = ctx.outputs.jar
kt_compile_output_jar = output_jar
output_merge_list = ctx.files.resource_jars
if len(ctx.files.resources) > 0:
output_merge_list = output_merge_list + [utils.actions.build_resourcejar(ctx)]
if len(output_merge_list) > 0:
kt_compile_output_jar = ctx.new_file(ctx.label.name + '-ktclass.jar')
output_merge_list = [kt_compile_output_jar] + output_merge_list
kotlin_auto_deps = _select_std_libs(ctx)
deps = ctx.attr.deps + getattr(ctx.attr, 'friends', [])
srcs = utils.partition_srcs(ctx.files.srcs)
if len(srcs.kt) + len(srcs.java) == 0 and len(srcs.src_jars) == 0:
fail('no sources provided')
_kotlin_do_compile_action(ctx, rule_kind=rule_kind, output_jar=kt_compile_output_jar, compile_jars=utils.collect_jars_for_compile(deps) + kotlin_auto_deps, module_name=module_name, friend_paths=friend_paths, srcs=srcs)
if len(output_merge_list) > 0:
utils.actions.fold_jars(ctx, output_jar, output_merge_list)
return _make_java_provider(ctx, srcs, deps, kotlin_auto_deps)
def _js_compile_action(ctx, rule_kind, module_name, friend_paths=depset(), src_jars=[]):
"""Setup a kotlin js compile action.
Args:
ctx: The rule context.
Returns:
A JavaInfo struct for the output js file that this macro will build.
"""
output_js = ctx.outputs.js
kt_compile_output_js = output_js
deps = ctx.attr.deps + getattr(ctx.attr, 'friends', [])
srcs = utils.js_partition_srcs(ctx.files.srcs)
if len(srcs.kt) == 0:
fail('no sources provided')
_kotlin_do_js_compile_action(ctx, output_js=kt_compile_output_js, srcs=srcs)
return _make_js_provider(ctx, srcs, deps)
compile = struct(compile_action=_compile_action, js_compile_action=_js_compile_action, make_providers=_make_providers, js_make_providers=_js_make_providers) |
'''Example Lambda package file'''
def lambda_handler(event, context):
'''Example lambda function'''
return 'Hello from Cloudify & Lambda'
| """Example Lambda package file"""
def lambda_handler(event, context):
"""Example lambda function"""
return 'Hello from Cloudify & Lambda' |
def foo():
bar("some string", s2="another_string")
def bar(s: str, s2: str):
print("bar(s) here: ", s)
a = 1 + 2
return
| def foo():
bar('some string', s2='another_string')
def bar(s: str, s2: str):
print('bar(s) here: ', s)
a = 1 + 2
return |
if __name__ == "__main__":
f = open('val_files.txt', 'w')
for i in range(108):
f.writelines(['2011_09_26/2011_09_26_drive_0001_sync ', str(i).zfill(10), ' l\n'])
f.close()
print('done') | if __name__ == '__main__':
f = open('val_files.txt', 'w')
for i in range(108):
f.writelines(['2011_09_26/2011_09_26_drive_0001_sync ', str(i).zfill(10), ' l\n'])
f.close()
print('done') |
print('-=-' * 30)
termo = int(input('Termo: '))
razao = int(input('Razao '))
c = 1
while c <= 10:
print('{}'.format(termo), end=' -> ')
termo += razao
c += 1
print('Fim')
| print('-=-' * 30)
termo = int(input('Termo: '))
razao = int(input('Razao '))
c = 1
while c <= 10:
print('{}'.format(termo), end=' -> ')
termo += razao
c += 1
print('Fim') |
# Created by MechAviv
# Map ID :: 931050940
# Classified Lab : Silo
OBJECT_1 = sm.sendNpcController(2159377, -700, 30)
sm.showNpcSpecialActionByObjectId(OBJECT_1, "summon", 0)
OBJECT_2 = sm.sendNpcController(2159378, -800, 30)
sm.showNpcSpecialActionByObjectId(OBJECT_2, "summon", 0)
sm.setSpeakerID(2159383)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("Attack on my command.")
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg1/2", 900, 0, -120, 0, OBJECT_2, False, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext("Get away from Claudine!")
sm.forcedAction(4, 0)
sm.sendDelay(2000)
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg1/1", 900, 0, -120, -2, -2, False, 0)
sm.changeBGM("Bgm30.img/thePhoto", 0, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("Argh, M... My head! It... hurts.")
sm.showEffect("Effect/Direction12.img/effect/tuto/memory/1", 3900, 0, -120, -2, -2, False, 0)
sm.sendDelay(3900)
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg0/1", 900, 0, -120, -2, -2, False, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("What was that?! Like... someone else's memory! My chest... I can't catch my breath... ")
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg0/2", 900, 0, -120, 0, OBJECT_2, False, 0)
sm.sendDelay(810)
sm.moveNpcByObjectId(OBJECT_1, False, 650, 100)
sm.sendDelay(150)
sm.moveNpcByObjectId(OBJECT_2, False, 650, 100)
sm.moveCamera(False, 200, -450, 43)
sm.sendDelay(3251)
sm.moveCamera(True, 80, 0, 0)
sm.sendDelay(6705)
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext("What are you doing?! Capture them! Capture them all!")
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg1/2", 900, 0, -120, 0, OBJECT_1, False, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159386)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext("Belle! Get out of here!")
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendSay("What about Claudine?")
sm.setSpeakerID(2159386)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendSay("She'll be okay! We need to get back-up!")
sm.showEffect("Effect/Direction12.img/effect/tuto/smog", 3300, 550, 0, 0, -2, True, 0)
sm.sendDelay(1200)
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg2/14", 1200, 120, -260, 0, -2, False, 1)
sm.sendDelay(1200)
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg1/1", 1500, 0, -120, 0, OBJECT_1, False, 0)
sm.sendDelay(840)
sm.showEffect("Effect/Direction12.img/effect/tuto/smogEnd", 0, 550, 0, 0, -2, True, 0)
sm.sendDelay(1020)
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext("Don't let them get away!")
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendSay("Xenon! Watch this one! Beryl, you and I will chase down the rest of these rats!")
sm.moveNpcByObjectId(OBJECT_1, False, 600, 100)
sm.moveNpcByObjectId(OBJECT_2, False, 600, 100)
sm.sendDelay(1200)
sm.showEffect("Effect/Direction12.img/effect/tuto/BalloonMsg0/0", 900, 0, -120, -2, -2, False, 0)
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("What happened earlier?")
sm.curNodeEventEnd(True)
sm.warp(931050950, 0)
| object_1 = sm.sendNpcController(2159377, -700, 30)
sm.showNpcSpecialActionByObjectId(OBJECT_1, 'summon', 0)
object_2 = sm.sendNpcController(2159378, -800, 30)
sm.showNpcSpecialActionByObjectId(OBJECT_2, 'summon', 0)
sm.setSpeakerID(2159383)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext('Attack on my command.')
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg1/2', 900, 0, -120, 0, OBJECT_2, False, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext('Get away from Claudine!')
sm.forcedAction(4, 0)
sm.sendDelay(2000)
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg1/1', 900, 0, -120, -2, -2, False, 0)
sm.changeBGM('Bgm30.img/thePhoto', 0, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext('Argh, M... My head! It... hurts.')
sm.showEffect('Effect/Direction12.img/effect/tuto/memory/1', 3900, 0, -120, -2, -2, False, 0)
sm.sendDelay(3900)
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg0/1', 900, 0, -120, -2, -2, False, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("What was that?! Like... someone else's memory! My chest... I can't catch my breath... ")
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg0/2', 900, 0, -120, 0, OBJECT_2, False, 0)
sm.sendDelay(810)
sm.moveNpcByObjectId(OBJECT_1, False, 650, 100)
sm.sendDelay(150)
sm.moveNpcByObjectId(OBJECT_2, False, 650, 100)
sm.moveCamera(False, 200, -450, 43)
sm.sendDelay(3251)
sm.moveCamera(True, 80, 0, 0)
sm.sendDelay(6705)
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext('What are you doing?! Capture them! Capture them all!')
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg1/2', 900, 0, -120, 0, OBJECT_1, False, 0)
sm.sendDelay(810)
sm.setSpeakerID(2159386)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext('Belle! Get out of here!')
sm.setSpeakerID(2159385)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendSay('What about Claudine?')
sm.setSpeakerID(2159386)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendSay("She'll be okay! We need to get back-up!")
sm.showEffect('Effect/Direction12.img/effect/tuto/smog', 3300, 550, 0, 0, -2, True, 0)
sm.sendDelay(1200)
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg2/14', 1200, 120, -260, 0, -2, False, 1)
sm.sendDelay(1200)
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg1/1', 1500, 0, -120, 0, OBJECT_1, False, 0)
sm.sendDelay(840)
sm.showEffect('Effect/Direction12.img/effect/tuto/smogEnd', 0, 550, 0, 0, -2, True, 0)
sm.sendDelay(1020)
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext("Don't let them get away!")
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendSay('Xenon! Watch this one! Beryl, you and I will chase down the rest of these rats!')
sm.moveNpcByObjectId(OBJECT_1, False, 600, 100)
sm.moveNpcByObjectId(OBJECT_2, False, 600, 100)
sm.sendDelay(1200)
sm.showEffect('Effect/Direction12.img/effect/tuto/BalloonMsg0/0', 900, 0, -120, -2, -2, False, 0)
sm.setSpeakerID(2159377)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext('What happened earlier?')
sm.curNodeEventEnd(True)
sm.warp(931050950, 0) |
train_1 = [[[('AUTHOR_FIRST_NAME', u'J.D.'), ('AUTHOR_LAST_NAME', u'Adams'), ('AUTHOR_FIRST_NAME', u'T.L.'), ('AUTHOR_LAST_NAME', u'Herter'), ('AUTHOR_FIRST_NAME', u'G.E.'), ('AUTHOR_LAST_NAME', u'Gull'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Shoenwald'), ('AUTHOR_FIRST_NAME', u'C.P.'), ('AUTHOR_LAST_NAME', u'Henderson'), ('AUTHOR_FIRST_NAME', u'L.D.'), ('AUTHOR_LAST_NAME', u'Keller'), ('AUTHOR_FIRST_NAME', u'J.M.'), ('AUTHOR_LAST_NAME', u'DeBuizer'), ('AUTHOR_FIRST_NAME', u'G.J.'), ('AUTHOR_LAST_NAME', u'Stacey'), ('AUTHOR_FIRST_NAME', u'T.'), ('AUTHOR_LAST_NAME', u'Nikola'), ('TITLE', u'FORCAST:'), ('TITLE', u'A'), ('TITLE', u'first'), ('TITLE', u'light'), ('TITLE', u'facility'), ('TITLE', u'instrument'), ('TITLE', u'for'), ('TITLE', u'SOFIA:'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'SPIE'), ('VOLUME', u'7735'), ('YEAR', u'2010'), ('PAGE', u'eid7735 1U')],
[('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Bertero'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Boccacci'), ('TITLE', u'Introduction'), ('TITLE', u'to'), ('TITLE', u'Inverse'), ('TITLE', u'Problems'), ('TITLE', u'in'), ('TITLE', u'Imaging:'), ('PUBLISHER', u'CRC'), ('PUBLISHER', u'Press'), ('YEAR', u'1998'), ('PAGE', u'352')],
[('AUTHOR_FIRST_NAME', u'B.J.'), ('AUTHOR_LAST_NAME', u'Conrath'), ('AUTHOR_FIRST_NAME', u'P.J.'), ('AUTHOR_LAST_NAME', u'Gierasch'), ('AUTHOR_FIRST_NAME', u'E.A.'), ('AUTHOR_LAST_NAME', u'Ustinov'), ('TITLE', u'Thermal'), ('TITLE', u'structure'), ('TITLE', u'and'), ('TITLE', u'para'), ('TITLE', u'hydrogen'), ('TITLE', u'fraction'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'outer'), ('TITLE', u'planets'), ('TITLE', u'from'), ('TITLE', u'Voyager'), ('TITLE', u'IRIS'), ('TITLE', u'measurements:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'135'), ('YEAR', u'1998'), ('PAGE', u'501-517')],
[('AUTHOR_FIRST_NAME', u'B.J.'), ('AUTHOR_LAST_NAME', u'Conrath'), ('AUTHOR_FIRST_NAME', u'P.J.'), ('AUTHOR_LAST_NAME', u'Gierasch'), ('TITLE', u'Global'), ('TITLE', u'variation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'para'), ('TITLE', u'hydrogen'), ('TITLE', u'fraction'), ('TITLE', u'in'), ('TITLE', u"Jupiter's"), ('TITLE', u'atmosphere'), ('TITLE', u'and'), ('TITLE', u'implications'), ('TITLE', u'for'), ('TITLE', u'dynamics'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'outer'), ('TITLE', u'planets:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'57'), ('YEAR', u'1984'), ('PAGE', u'184-204')],
[('AUTHOR_FIRST_NAME', u'I.J.D'), ('AUTHOR_LAST_NAME', u'Craig'), ('AUTHOR_FIRST_NAME', u'J.C.'), ('AUTHOR_LAST_NAME', u'Brown'), ('TITLE', u'Inverse'), ('TITLE', u'Problems'), ('TITLE', u'in'), ('TITLE', u'Astronomy:'), ('TITLE', u'A'), ('TITLE', u'Guide'), ('TITLE', u'to'), ('TITLE', u'Inversion'), ('TITLE', u'Strategies'), ('TITLE', u'for'), ('TITLE', u'Remotely'), ('TITLE', u'Sensed'), ('TITLE', u'Data:'), ('PUBLISHER', u'CRC'), ('PUBLISHER', u'Press'), ('YEAR', u'1986'), ('PAGE', u'160')],
[('AUTHOR_FIRST_NAME', u'A.'), ('AUTHOR_LAST_NAME', u'Farkas'), ('TITLE', u'Orthohydrogen,'), ('TITLE', u'Parahydrogen'), ('TITLE', u'and'), ('TITLE', u'Heavy'), ('TITLE', u'Hydrogen:'), ('PUBLISHER', u'Cambridge'), ('PUBLISHER', u'University'), ('PUBLISHER', u'Press'), ('YEAR', u'1935'), ('PAGE', u'215')],
[('AUTHOR_FIRST_NAME', u'L.'), ('AUTHOR_LAST_NAME', u'Fletcher'), ('TITLE', u'Seasonal'), ('TITLE', u'variability'), ('TITLE', u'of'), ('TITLE', u'Saturns'), ('TITLE', u'tropospheric'), ('TITLE', u'temperatures,'), ('TITLE', u'winds'), ('TITLE', u'and'), ('TITLE', u'para-'), ('TITLE', u'H2'), ('TITLE', u'from'), ('TITLE', u'Cassini'), ('TITLE', u'far-'), ('TITLE', u'IR'), ('TITLE', u'spectroscopy:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'264'), ('YEAR', u'2016'), ('PAGE', u'137-159')],
[('AUTHOR_FIRST_NAME', u'L.'), ('AUTHOR_LAST_NAME', u'Fletcher'), ('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'de Pater'), ('AUTHOR_FIRST_NAME', u'W.T.'), ('AUTHOR_LAST_NAME', u'Reach'), ('TITLE', u"Jupiter's"), ('TITLE', u'para-'), ('TITLE', u'H2'), ('TITLE', u'distribution'), ('TITLE', u'from'), ('TITLE', u'SOFIA/FORCAST'), ('TITLE', u'and'), ('TITLE', u'Voyager/IRIS'), ('TITLE', u'17-'), ('TITLE', u'37m'), ('TITLE', u'spectroscopy:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'286'), ('YEAR', u'2017'), ('PAGE', u'223-240')],
[('AUTHOR_FIRST_NAME', u'L.N.'), ('AUTHOR_LAST_NAME', u'Fletcher'), ('AUTHOR_FIRST_NAME', u'G.S.'), ('AUTHOR_LAST_NAME', u'Orton'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Yanamandra-Fisher'), ('AUTHOR_FIRST_NAME', u'B.M.'), ('AUTHOR_LAST_NAME', u'Fisher'), ('AUTHOR_FIRST_NAME', u'B.D.'), ('AUTHOR_LAST_NAME', u'Parrish'), ('AUTHOR_FIRST_NAME', u'P.G.J.'), ('AUTHOR_LAST_NAME', u'Irwin'), ('TITLE', u'Retrievals'), ('TITLE', u'of'), ('TITLE', u'atmospheric'), ('TITLE', u'variables'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'gas'), ('TITLE', u'giants'), ('TITLE', u'from'), ('TITLE', u'ground-'), ('TITLE', u'based'), ('TITLE', u'mid-'), ('TITLE', u'infrared'), ('TITLE', u'imaging:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'200'), ('YEAR', u'2009'), ('PAGE', u'154-175')],
[('AUTHOR_FIRST_NAME', u'T.L.'), ('AUTHOR_LAST_NAME', u'Herter'), ('AUTHOR_FIRST_NAME', u'J.D.'), ('AUTHOR_LAST_NAME', u'Adams'), ('AUTHOR_FIRST_NAME', u'J.M.'), ('AUTHOR_LAST_NAME', u'DeBuizer'), ('AUTHOR_FIRST_NAME', u'G.E.'), ('AUTHOR_LAST_NAME', u'Gull'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Shoenwald'), ('AUTHOR_FIRST_NAME', u'C.P.'), ('AUTHOR_LAST_NAME', u'Henderson'), ('AUTHOR_FIRST_NAME', u'L.D.'), ('AUTHOR_LAST_NAME', u'Keller'), ('AUTHOR_FIRST_NAME', u'T.'), ('AUTHOR_LAST_NAME', u'Nikola'), ('AUTHOR_FIRST_NAME', u'G.J.'), ('AUTHOR_LAST_NAME', u'Stacey'), ('AUTHOR_FIRST_NAME', u'W.D.'), ('AUTHOR_LAST_NAME', u'Vacca'), ('TITLE', u'FORCAST:'), ('TITLE', u'a'), ('TITLE', u'first'), ('TITLE', u'light'), ('TITLE', u'facility'), ('TITLE', u'instrument'), ('TITLE', u'for'), ('TITLE', u'SOFIA:'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'SPIE'), ('VOLUME', u'7735'), ('YEAR', u'2010'), ('PAGE', u'eid7735 1U')],
[('AUTHOR_FIRST_NAME', u'S.T.'), ('AUTHOR_LAST_NAME', u'Massie'), ('AUTHOR_FIRST_NAME', u'D.M.'), ('AUTHOR_LAST_NAME', u'Hunten'), ('TITLE', u'Conversion'), ('TITLE', u'of'), ('TITLE', u'para'), ('TITLE', u'and'), ('TITLE', u'ortho'), ('TITLE', u'hydrogen'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'Jovian'), ('TITLE', u'planets:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'49'), ('YEAR', u'1982'), ('PAGE', u'213-226')]],
[[('AUTHOR_LAST_NAME', u'Coleman'), ('JOURNAL', u'Progress'), ('JOURNAL', u'in'), ('JOURNAL', u'lipid'), ('JOURNAL', u'research'), ('VOLUME', u'43'), ('ISSUE', u'2'), ('YEAR', u'2004'), ('PAGE', u'134'), ('DOI', u'10.1016/S0163-7827(03)00051-1'), ('ISSN', u'0163-7827'), ('REFSTR', "{u'journal_title': u'Progress in lipid research', u'doi': u'10.1016/S0163-7827(03)00051-1', u'author': u'Coleman', u'issn': u'0163-7827', u'cyear': u'2004', u'volume': u'43', u'@key': u'1_17939177', u'first_page': u'134', u'issue': u'2'}")],
[('JOURNAL', u'American'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Physiology'), ('JOURNAL', u'-'), ('JOURNAL', u'Endocrinology'), ('JOURNAL', u'And'), ('JOURNAL', u'Metabolism'), ('VOLUME', u'296'), ('ISSUE', u'6'), ('YEAR', u'2009'), ('PAGE', u'E1195'), ('DOI', u'10.1152/ajpendo.90958.2008'), ('ISSN', u'0193-1849'), ('REFSTR', "{u'doi': u'10.1152/ajpendo.90958.2008', u'journal_title': u'American Journal of Physiology - Endocrinology And Metabolism', u'issn': u'0193-1849', u'cyear': u'2009', u'volume': u'296', u'@key': u'2_34480394', u'first_page': u'E1195', u'issue': u'6'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'284'), ('ISSUE', u'5'), ('YEAR', u'2009'), ('PAGE', u'2593'), ('DOI', u'10.1074/jbc.R800059200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.R800059200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2009', u'volume': u'284', u'@key': u'3_32003327', u'first_page': u'2593', u'issue': u'5'}")],
[('AUTHOR_LAST_NAME', u'Csaki'), ('JOURNAL', u'Annual'), ('JOURNAL', u'review'), ('JOURNAL', u'of'), ('JOURNAL', u'nutrition'), ('VOLUME', u'30'), ('YEAR', u'2010'), ('PAGE', u'257'), ('DOI', u'10.1146/annurev.nutr.012809.104729'), ('ISSN', u'0199-9885'), ('REFSTR', "{u'journal_title': u'Annual review of nutrition', u'doi': u'10.1146/annurev.nutr.012809.104729', u'author': u'Csaki', u'issn': u'0199-9885', u'cyear': u'2010', u'volume': u'30', u'@key': u'4_37679942', u'first_page': u'257'}")],
[('AUTHOR_LAST_NAME', u'Harris'), ('JOURNAL', u'Trends'), ('JOURNAL', u'in'), ('JOURNAL', u'endocrinology'), ('JOURNAL', u'and'), ('JOURNAL', u'metabolism:'), ('JOURNAL', u'TEM'), ('VOLUME', u'22'), ('ISSUE', u'6'), ('YEAR', u'2011'), ('PAGE', u'226'), ('DOI', u'10.1016/j.tem.2011.02.006'), ('ISSN', u'1043-2760'), ('REFSTR', "{u'journal_title': u'Trends in endocrinology and metabolism: TEM', u'doi': u'10.1016/j.tem.2011.02.006', u'author': u'Harris', u'issn': u'1043-2760', u'cyear': u'2011', u'volume': u'22', u'@key': u'5_39678745', u'first_page': u'226', u'issue': u'6'}")],
[('AUTHOR_LAST_NAME', u'Lusis'), ('JOURNAL', u'Nature'), ('JOURNAL', u'reviews.'), ('JOURNAL', u'Genetics'), ('VOLUME', u'9'), ('ISSUE', u'11'), ('YEAR', u'2008'), ('PAGE', u'819'), ('DOI', u'10.1038/nrg2468'), ('ISSN', u'1471-0056'), ('REFSTR', "{u'journal_title': u'Nature reviews. Genetics', u'doi': u'10.1038/nrg2468', u'author': u'Lusis', u'issn': u'1471-0056', u'cyear': u'2008', u'volume': u'9', u'@key': u'6_32208845', u'first_page': u'819', u'issue': u'11'}")],
[('AUTHOR_LAST_NAME', u'terfy'), ('AUTHOR_FIRST_NAME', u'P'), ('JOURNAL', u'Nature'), ('JOURNAL', u'genetics'), ('VOLUME', u'27'), ('ISSUE', u'1'), ('YEAR', u'2001'), ('PAGE', u'121'), ('DOI', u'10.1038/83685'), ('ISSN', u'1061-4036'), ('REFSTR', "{u'journal_title': u'Nature genetics', u'doi': u'10.1038/83685', u'author': u'P terfy', u'issn': u'1061-4036', u'cyear': u'2001', u'volume': u'27', u'@key': u'7_11010410', u'first_page': u'121', u'issue': u'1'}")],
[('AUTHOR_LAST_NAME', u'Reue'), ('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'41'), ('ISSUE', u'7'), ('YEAR', u'2000'), ('PAGE', u'1067'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'journal_title': u'The Journal of Lipid Research', u'author': u'Reue', u'issn': u'0022-2275', u'cyear': u'2000', u'volume': u'41', u'@key': u'8_10380403', u'first_page': u'1067', u'issue': u'7'}")],
[('AUTHOR_LAST_NAME', u'Michot'), ('JOURNAL', u'Human'), ('JOURNAL', u'mutation'), ('VOLUME', u'31'), ('ISSUE', u'7'), ('YEAR', u'2010'), ('PAGE', u'E1564'), ('DOI', u'10.1002/humu.21282'), ('ISSN', u'1059-7794'), ('REFSTR', "{u'journal_title': u'Human mutation', u'doi': u'10.1002/humu.21282', u'author': u'Michot', u'issn': u'1059-7794', u'cyear': u'2010', u'volume': u'31', u'@key': u'9_37588216', u'first_page': u'E1564', u'issue': u'7'}")],
[('AUTHOR_LAST_NAME', u'Zeharia'), ('JOURNAL', u'American'), ('JOURNAL', u'journal'), ('JOURNAL', u'of'), ('JOURNAL', u'human'), ('JOURNAL', u'genetics'), ('VOLUME', u'83'), ('ISSUE', u'4'), ('YEAR', u'2008'), ('PAGE', u'489'), ('DOI', u'10.1016/j.ajhg.2008.09.002'), ('ISSN', u'0002-9297'), ('REFSTR', "{u'journal_title': u'American journal of human genetics', u'doi': u'10.1016/j.ajhg.2008.09.002', u'author': u'Zeharia', u'issn': u'0002-9297', u'cyear': u'2008', u'volume': u'83', u'@key': u'10_32035496', u'first_page': u'489', u'issue': u'4'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'282'), ('ISSUE', u'6'), ('YEAR', u'2007'), ('PAGE', u'3450'), ('DOI', u'10.1074/jbc.M610745200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M610745200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2007', u'volume': u'282', u'@key': u'11_23087899', u'first_page': u'3450', u'issue': u'6'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'282'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'277'), ('DOI', u'10.1074/jbc.M609537200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M609537200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2007', u'volume': u'282', u'@key': u'12_22982038', u'first_page': u'277', u'issue': u'1'}")],
[('AUTHOR_LAST_NAME', u'Nadra'), ('JOURNAL', u'Genes'), ('JOURNAL', u'Development'), ('VOLUME', u'22'), ('ISSUE', u'12'), ('YEAR', u'2008'), ('PAGE', u'1647'), ('DOI', u'10.1101/gad.1638008'), ('ISSN', u'0890-9369'), ('REFSTR', "{u'journal_title': u'Genes Development', u'doi': u'10.1101/gad.1638008', u'author': u'Nadra', u'issn': u'0890-9369', u'cyear': u'2008', u'volume': u'22', u'@key': u'13_31268117', u'first_page': u'1647', u'issue': u'12'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'287'), ('ISSUE', u'5'), ('YEAR', u'2012'), ('PAGE', u'3485'), ('DOI', u'10.1074/jbc.M111.296681'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M111.296681', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2012', u'volume': u'287', u'@key': u'14_41382195', u'first_page': u'3485', u'issue': u'5'}")],
[('AUTHOR_LAST_NAME', u'Finck'), ('VOLUME', u'4'), ('ISSUE', u'3'), ('YEAR', u'2006'), ('PAGE', u'199'), ('DOI', u'10.1016/j.cmet.2006.08.005'), ('ISSN', u'1550-4131'), ('REFSTR', "{u'doi': u'10.1016/j.cmet.2006.08.005', u'author': u'Finck', u'issn': u'1550-4131', u'cyear': u'2006', u'volume': u'4', u'@key': u'15_22568095', u'first_page': u'199', u'issue': u'3'}")],
[('JOURNAL', u'Molecular'), ('JOURNAL', u'and'), ('JOURNAL', u'Cellular'), ('JOURNAL', u'Biology'), ('VOLUME', u'30'), ('ISSUE', u'12'), ('YEAR', u'2010'), ('PAGE', u'3126'), ('DOI', u'10.1128/MCB.01671-09'), ('ISSN', u'0270-7306'), ('REFSTR', "{u'doi': u'10.1128/MCB.01671-09', u'journal_title': u'Molecular and Cellular Biology', u'issn': u'0270-7306', u'cyear': u'2010', u'volume': u'30', u'@key': u'16_37038059', u'first_page': u'3126', u'issue': u'12'}")],
[('AUTHOR_LAST_NAME', u'Al-Mosawi'), ('JOURNAL', u'Arthritis'), ('JOURNAL', u'and'), ('JOURNAL', u'rheumatism'), ('VOLUME', u'56'), ('ISSUE', u'3'), ('YEAR', u'2007'), ('PAGE', u'960'), ('DOI', u'10.1002/art.22431'), ('ISSN', u'0004-3591'), ('REFSTR', "{u'journal_title': u'Arthritis and rheumatism', u'doi': u'10.1002/art.22431', u'author': u'Al-Mosawi', u'issn': u'0004-3591', u'cyear': u'2007', u'volume': u'56', u'@key': u'17_23716909', u'first_page': u'960', u'issue': u'3'}")],
[('AUTHOR_LAST_NAME', u'Ferguson'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Medical'), ('JOURNAL', u'Genetics'), ('VOLUME', u'42'), ('ISSUE', u'7'), ('YEAR', u'2005'), ('PAGE', u'551'), ('DOI', u'10.1136/jmg.2005.030759'), ('ISSN', u'0022-2593'), ('REFSTR', "{u'journal_title': u'Journal of Medical Genetics', u'doi': u'10.1136/jmg.2005.030759', u'author': u'Ferguson', u'issn': u'0022-2593', u'cyear': u'2005', u'volume': u'42', u'@key': u'18_19074305', u'first_page': u'551', u'issue': u'7'}")],
[('AUTHOR_LAST_NAME', u'Majeed'), ('JOURNAL', u'European'), ('JOURNAL', u'journal'), ('JOURNAL', u'of'), ('JOURNAL', u'pediatrics'), ('VOLUME', u'160'), ('ISSUE', u'12'), ('YEAR', u'2001'), ('PAGE', u'705'), ('ISSN', u'0340-6199'), ('REFSTR', "{u'journal_title': u'European journal of pediatrics', u'author': u'Majeed', u'issn': u'0340-6199', u'cyear': u'2001', u'volume': u'160', u'@key': u'19_11478957', u'first_page': u'705', u'issue': u'12'}")],
[('AUTHOR_LAST_NAME', u'Majeed'), ('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'pediatrics'), ('VOLUME', u'115'), ('ISSUE', u'5 Pt 1'), ('YEAR', u'1989'), ('PAGE', u'730'), ('DOI', u'10.1016/S0022-3476(89)80650-X'), ('ISSN', u'0022-3476'), ('REFSTR', "{u'journal_title': u'The Journal of pediatrics', u'doi': u'10.1016/S0022-3476(89)80650-X', u'author': u'Majeed', u'issn': u'0022-3476', u'cyear': u'1989', u'volume': u'115', u'@key': u'21_5432040', u'first_page': u'730', u'issue': u'5 Pt 1'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'284'), ('ISSUE', u'43'), ('YEAR', u'2009'), ('PAGE', u'29968'), ('DOI', u'10.1074/jbc.M109.023663'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M109.023663', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2009', u'volume': u'284', u'@key': u'22_35496169', u'first_page': u'29968', u'issue': u'43'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'284'), ('ISSUE', u'11'), ('YEAR', u'2009'), ('PAGE', u'6763'), ('DOI', u'10.1074/jbc.M807882200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M807882200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2009', u'volume': u'284', u'@key': u'23_33354200', u'first_page': u'6763', u'issue': u'11'}")],
[('JOURNAL', u'Diabetes'), ('VOLUME', u'60'), ('ISSUE', u'4'), ('YEAR', u'2011'), ('PAGE', u'1072'), ('DOI', u'10.2337/db10-1046'), ('ISSN', u'0012-1797'), ('REFSTR', "{u'doi': u'10.2337/db10-1046', u'journal_title': u'Diabetes', u'issn': u'0012-1797', u'cyear': u'2011', u'volume': u'60', u'@key': u'24_39324740', u'first_page': u'1072', u'issue': u'4'}")],
[('JOURNAL', u'Progress'), ('JOURNAL', u'in'), ('JOURNAL', u'neurobiology'), ('VOLUME', u'63'), ('ISSUE', u'5'), ('YEAR', u'2001'), ('PAGE', u'489'), ('DOI', u'10.1016/S0301-0082(00)00024-1'), ('ISSN', u'0301-0082'), ('REFSTR', "{u'journal_title': u'Progress in neurobiology', u'doi': u'10.1016/S0301-0082(00)00024-1', u'author': u'Gr sser-Cornehls', u'issn': u'0301-0082', u'cyear': u'2001', u'volume': u'63', u'@key': u'25_11043813', u'first_page': u'489', u'issue': u'5'}")],
[('AUTHOR_LAST_NAME', u'Morton'), ('JOURNAL', u'The'), ('JOURNAL', u'Neuroscientist'), ('VOLUME', u'10'), ('ISSUE', u'3'), ('YEAR', u'2004'), ('PAGE', u'247'), ('DOI', u'10.1177/1073858404263517'), ('ISSN', u'1073-8584'), ('REFSTR', "{u'journal_title': u'The Neuroscientist', u'doi': u'10.1177/1073858404263517', u'author': u'Morton', u'issn': u'1073-8584', u'cyear': u'2004', u'volume': u'10', u'@key': u'26_18192684', u'first_page': u'247', u'issue': u'3'}")],
[('AUTHOR_LAST_NAME', u'Giusto'), ('JOURNAL', u'Neurochemical'), ('JOURNAL', u'research'), ('VOLUME', u'27'), ('ISSUE', u'11'), ('YEAR', u'2002'), ('PAGE', u'1513'), ('DOI', u'10.1023/A:1021604623208'), ('ISSN', u'0364-3190'), ('REFSTR', "{u'journal_title': u'Neurochemical research', u'doi': u'10.1023/A:1021604623208', u'author': u'Giusto', u'issn': u'0364-3190', u'cyear': u'2002', u'volume': u'27', u'@key': u'27_17392329', u'first_page': u'1513', u'issue': u'11'}")],
[('AUTHOR_LAST_NAME', u'Pasquar'), ('JOURNAL', u'Experimental'), ('JOURNAL', u'gerontology'), ('VOLUME', u'36'), ('ISSUE', u'8'), ('YEAR', u'2001'), ('PAGE', u'1387'), ('DOI', u'10.1016/S0531-5565(01)00106-1'), ('ISSN', u'0531-5565'), ('REFSTR', "{u'journal_title': u'Experimental gerontology', u'doi': u'10.1016/S0531-5565(01)00106-1', u'author': u'Pasquar', u'issn': u'0531-5565', u'cyear': u'2001', u'volume': u'36', u'@key': u'28_11359831', u'first_page': u'1387', u'issue': u'8'}")],
[('VOLUME', u'39'), ('YEAR', u'2004'), ('PAGE', u'553'), ('ISSN', u'1558-9307'), ('REFSTR', "{u'volume': u'39', u'@key': u'29_43576545', u'first_page': u'553', u'issn': u'1558-9307', u'cyear': u'2004'}")],
[('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'53'), ('ISSUE', u'1'), ('YEAR', u'2012'), ('PAGE', u'105'), ('DOI', u'10.1194/jlr.M019430'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M019430', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2012', u'volume': u'53', u'@key': u'30_41159612', u'first_page': u'105', u'issue': u'1'}")],
[('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'49'), ('ISSUE', u'12'), ('YEAR', u'2008'), ('PAGE', u'2493'), ('DOI', u'10.1194/jlr.R800019-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.R800019-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2008', u'volume': u'49', u'@key': u'31_31907829', u'first_page': u'2493', u'issue': u'12'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'283'), ('ISSUE', u'43'), ('YEAR', u'2008'), ('PAGE', u'29166'), ('DOI', u'10.1074/jbc.M804278200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M804278200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2008', u'volume': u'283', u'@key': u'32_31689109', u'first_page': u'29166', u'issue': u'43'}")],
[('AUTHOR_LAST_NAME', u'Liu'), ('JOURNAL', u'The'), ('JOURNAL', u'Biochemical'), ('JOURNAL', u'journal'), ('VOLUME', u'432'), ('ISSUE', u'1'), ('YEAR', u'2010'), ('PAGE', u'65'), ('DOI', u'10.1042/BJ20100584'), ('ISSN', u'0264-6021'), ('REFSTR', "{u'journal_title': u'The Biochemical journal', u'doi': u'10.1042/BJ20100584', u'author': u'Liu', u'issn': u'0264-6021', u'cyear': u'2010', u'volume': u'432', u'@key': u'33_38002008', u'first_page': u'65', u'issue': u'1'}")],
[('AUTHOR_LAST_NAME', u'Stapleton'), ('VOLUME', u'6'), ('ISSUE', u'4'), ('YEAR', u'2011'), ('PAGE', u'e18932'), ('DOI', u'10.1371/journal.pone.0018932'), ('ISSN', u'1932-6203'), ('REFSTR', "{u'doi': u'10.1371/journal.pone.0018932', u'author': u'Stapleton', u'issn': u'1932-6203', u'cyear': u'2011', u'volume': u'6', u'@key': u'34_39827515', u'first_page': u'e18932', u'issue': u'4'}")],
[('JOURNAL', u'PNAS'), ('VOLUME', u'109'), ('ISSUE', u'5'), ('YEAR', u'2012'), ('PAGE', u'1667'), ('DOI', u'10.1073/pnas.1110730109'), ('ISSN', u'0027-8424'), ('REFSTR', "{u'doi': u'10.1073/pnas.1110730109', u'journal_title': u'PNAS', u'issn': u'0027-8424', u'cyear': u'2012', u'volume': u'109', u'@key': u'35_41527788', u'first_page': u'1667', u'issue': u'5'}")],
[('AUTHOR_LAST_NAME', u'Pyne'), ('JOURNAL', u'Advances'), ('JOURNAL', u'in'), ('JOURNAL', u'enzyme'), ('JOURNAL', u'regulation'), ('VOLUME', u'49'), ('ISSUE', u'1'), ('YEAR', u'2009'), ('PAGE', u'214'), ('DOI', u'10.1016/j.advenzreg.2009.01.011'), ('ISSN', u'0065-2571'), ('REFSTR', "{u'journal_title': u'Advances in enzyme regulation', u'doi': u'10.1016/j.advenzreg.2009.01.011', u'author': u'Pyne', u'issn': u'0065-2571', u'cyear': u'2009', u'volume': u'49', u'@key': u'36_35090688', u'first_page': u'214', u'issue': u'1'}")],
[('AUTHOR_LAST_NAME', u'Brindley'), ('JOURNAL', u'Biochimica'), ('JOURNAL', u'et'), ('JOURNAL', u'Biophysica'), ('JOURNAL', u'Acta.'), ('JOURNAL', u'Protein'), ('JOURNAL', u'Structure'), ('JOURNAL', u'and'), ('JOURNAL', u'Molecular'), ('JOURNAL', u'Enzymology'), ('VOLUME', u'1791'), ('ISSUE', u'9'), ('YEAR', u'2009'), ('PAGE', u'956'), ('DOI', u'10.1016/j.bbalip.2009.02.007'), ('ISSN', u'0006-3002'), ('REFSTR', "{u'journal_title': u'Biochimica et Biophysica Acta. Protein Structure and Molecular Enzymology', u'doi': u'10.1016/j.bbalip.2009.02.007', u'author': u'Brindley', u'issn': u'0006-3002', u'cyear': u'2009', u'volume': u'1791', u'@key': u'37_34190083', u'first_page': u'956', u'issue': u'9'}")],
[('AUTHOR_LAST_NAME', u'Brusse'), ('JOURNAL', u'Clinical'), ('JOURNAL', u'genetics'), ('VOLUME', u'71'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'12'), ('ISSN', u'0009-9163'), ('REFSTR', "{u'journal_title': u'Clinical genetics', u'author': u'Brusse', u'issn': u'0009-9163', u'cyear': u'2007', u'volume': u'71', u'@key': u'38_23502795', u'first_page': u'12', u'issue': u'1'}")],
[('AUTHOR_LAST_NAME', u'Friedel'), ('JOURNAL', u'Methods'), ('JOURNAL', u'in'), ('JOURNAL', u'enzymology'), ('VOLUME', u'477'), ('YEAR', u'2010'), ('PAGE', u'243'), ('DOI', u'10.1016/S0076-6879(10)77013-0'), ('ISSN', u'0076-6879'), ('REFSTR', "{u'journal_title': u'Methods in enzymology', u'doi': u'10.1016/S0076-6879(10)77013-0', u'author': u'Friedel', u'issn': u'0076-6879', u'cyear': u'2010', u'volume': u'477', u'@key': u'39_37904446', u'first_page': u'243'}")],
[('JOURNAL', u'PNAS'), ('VOLUME', u'102'), ('ISSUE', u'37'), ('YEAR', u'2005'), ('PAGE', u'13188'), ('DOI', u'10.1073/pnas.0505474102'), ('ISSN', u'0027-8424'), ('REFSTR', "{u'doi': u'10.1073/pnas.0505474102', u'journal_title': u'PNAS', u'issn': u'0027-8424', u'cyear': u'2005', u'volume': u'102', u'@key': u'40_19690687', u'first_page': u'13188', u'issue': u'37'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'279'), ('ISSUE', u'28'), ('YEAR', u'2004'), ('PAGE', u'29558'), ('DOI', u'10.1074/jbc.M403506200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M403506200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2004', u'volume': u'279', u'@key': u'41_19568952', u'first_page': u'29558', u'issue': u'28'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Clinical'), ('JOURNAL', u'Endocrinology'), ('JOURNAL', u'Metabolism'), ('VOLUME', u'93'), ('ISSUE', u'1'), ('YEAR', u'2008'), ('PAGE', u'233'), ('DOI', u'10.1210/jc.2007-1535'), ('ISSN', u'0021-972X'), ('REFSTR', "{u'doi': u'10.1210/jc.2007-1535', u'journal_title': u'Journal of Clinical Endocrinology Metabolism', u'issn': u'0021-972X', u'cyear': u'2008', u'volume': u'93', u'@key': u'42_29585195', u'first_page': u'233', u'issue': u'1'}")],
[('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'49'), ('ISSUE', u'7'), ('YEAR', u'2008'), ('PAGE', u'1519'), ('DOI', u'10.1194/jlr.M800061-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M800061-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2008', u'volume': u'49', u'@key': u'43_30697979', u'first_page': u'1519', u'issue': u'7'}")],
[('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'50'), ('ISSUE', u'1'), ('YEAR', u'2009'), ('PAGE', u'47'), ('DOI', u'10.1194/jlr.M800204-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M800204-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2009', u'volume': u'50', u'@key': u'44_31842846', u'first_page': u'47', u'issue': u'1'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'286'), ('ISSUE', u'1'), ('YEAR', u'2011'), ('PAGE', u'380'), ('DOI', u'10.1074/jbc.M110.184754'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M110.184754', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2011', u'volume': u'286', u'@key': u'45_38471137', u'first_page': u'380', u'issue': u'1'}")],
[('JOURNAL', u'Arteriosclerosis,'), ('JOURNAL', u'Thrombosis,'), ('JOURNAL', u'and'), ('JOURNAL', u'Vascular'), ('JOURNAL', u'Biology'), ('VOLUME', u'31'), ('ISSUE', u'1'), ('YEAR', u'2011'), ('PAGE', u'58'), ('DOI', u'10.1161/ATVBAHA.110.210906'), ('ISSN', u'0276-5047'), ('REFSTR', "{u'doi': u'10.1161/ATVBAHA.110.210906', u'journal_title': u'Arteriosclerosis, Thrombosis, and Vascular Biology', u'issn': u'0276-5047', u'cyear': u'2011', u'volume': u'31', u'@key': u'46_38308457', u'first_page': u'58', u'issue': u'1'}")],
[('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'47'), ('ISSUE', u'4'), ('YEAR', u'2006'), ('PAGE', u'745'), ('DOI', u'10.1194/jlr.M500553-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M500553-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2006', u'volume': u'47', u'@key': u'47_21476290', u'first_page': u'745', u'issue': u'4'}")],
[('AUTHOR_LAST_NAME', u'Hildebrand'), ('JOURNAL', u'Computer'), ('JOURNAL', u'methods'), ('JOURNAL', u'in'), ('JOURNAL', u'biomechanics'), ('JOURNAL', u'and'), ('JOURNAL', u'biomedical'), ('JOURNAL', u'engineering'), ('VOLUME', u'1'), ('ISSUE', u'1'), ('YEAR', u'1997'), ('PAGE', u'15'), ('ISSN', u'1025-5842'), ('REFSTR', "{u'journal_title': u'Computer methods in biomechanics and biomedical engineering', u'author': u'Hildebrand', u'issn': u'1025-5842', u'cyear': u'1997', u'volume': u'1', u'@key': u'48_19205922', u'first_page': u'15', u'issue': u'1'}")],
[('AUTHOR_LAST_NAME', u'Rogers'), ('JOURNAL', u'Mammalian'), ('JOURNAL', u'genome'), ('JOURNAL', u':'), ('JOURNAL', u'official'), ('JOURNAL', u'journal'), ('JOURNAL', u'of'), ('JOURNAL', u'the'), ('JOURNAL', u'International'), ('JOURNAL', u'Mammalian'), ('JOURNAL', u'Genome'), ('JOURNAL', u'Society'), ('VOLUME', u'8'), ('ISSUE', u'10'), ('YEAR', u'1997'), ('PAGE', u'711'), ('DOI', u'10.1007/s003359900551'), ('ISSN', u'0938-8990'), ('REFSTR', "{u'journal_title': u'Mammalian genome : official journal of the International Mammalian Genome Society', u'doi': u'10.1007/s003359900551', u'author': u'Rogers', u'issn': u'0938-8990', u'cyear': u'1997', u'volume': u'8', u'@key': u'49_5758712', u'first_page': u'711', u'issue': u'10'}")],
[('AUTHOR_LAST_NAME', u'Hockly'), ('JOURNAL', u'Annals'), ('JOURNAL', u'of'), ('JOURNAL', u'neurology'), ('VOLUME', u'51'), ('ISSUE', u'2'), ('YEAR', u'2002'), ('PAGE', u'235'), ('DOI', u'10.1002/ana.10094'), ('ISSN', u'0364-5134'), ('REFSTR', "{u'journal_title': u'Annals of neurology', u'doi': u'10.1002/ana.10094', u'author': u'Hockly', u'issn': u'0364-5134', u'cyear': u'2002', u'volume': u'51', u'@key': u'50_16905872', u'first_page': u'235', u'issue': u'2'}")],
[('JOURNAL', u'CAN'), ('JOURNAL', u'J'), ('JOURNAL', u'BIOCHEM'), ('JOURNAL', u'PHYSIOL'), ('VOLUME', u'37'), ('YEAR', u'1959'), ('PAGE', u'911'), ('REFSTR', "{u'volume': u'37', u'@key': u'51_28010790', u'first_page': u'911', u'cyear': u'1959', u'journal_title': u'CAN J BIOCHEM PHYSIOL'}")],
[('VOLUME', u'67'), ('YEAR', u'2006'), ('PAGE', u'1907'), ('ISSN', u'1873-3700'), ('REFSTR', "{u'volume': u'67', u'@key': u'52_35218979', u'first_page': u'1907', u'issn': u'1873-3700', u'cyear': u'2006'}")],
[('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'277'), ('ISSUE', u'35'), ('YEAR', u'2002'), ('PAGE', u'31994'), ('DOI', u'10.1074/jbc.M205375200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M205375200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2002', u'volume': u'277', u'@key': u'53_19556404', u'first_page': u'31994', u'issue': u'35'}")],
[('JOURNAL', u'American'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Physiology'), ('JOURNAL', u'-'), ('JOURNAL', u'Endocrinology'), ('JOURNAL', u'And'), ('JOURNAL', u'Metabolism'), ('VOLUME', u'296'), ('ISSUE', u'6'), ('YEAR', u'2009'), ('PAGE', u'E1195'), ('ISSN', u'0193-1849'), ('REFSTR', "{u'journal_title': u'American Journal of Physiology - Endocrinology And Metabolism', u'issn': u'0193-1849', u'cyear': u'2009', u'volume': u'296', u'@key': u'54_34480394', u'first_page': u'E1195', u'issue': u'6'}")],
[('JOURNAL', u'Annual'), ('JOURNAL', u'review'), ('JOURNAL', u'of'), ('JOURNAL', u'nutrition'), ('VOLUME', u'30'), ('YEAR', u'2010'), ('PAGE', u'257'), ('ISSN', u'0199-9885'), ('REFSTR', "{u'journal_title': u'Annual review of nutrition', u'issn': u'0199-9885', u'cyear': u'2010', u'volume': u'30', u'@key': u'55_37679942', u'first_page': u'257'}")],
[('JOURNAL', u'Genes'), ('JOURNAL', u'Development'), ('VOLUME', u'22'), ('ISSUE', u'12'), ('YEAR', u'2008'), ('PAGE', u'1647'), ('ISSN', u'0890-9369'), ('REFSTR', "{u'journal_title': u'Genes Development', u'issn': u'0890-9369', u'cyear': u'2008', u'volume': u'22', u'@key': u'57_31268117', u'first_page': u'1647', u'issue': u'12'}")],
[('JOURNAL', u'Clinical'), ('JOURNAL', u'genetics'), ('VOLUME', u'71'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'12'), ('ISSN', u'0009-9163'), ('REFSTR', "{u'journal_title': u'Clinical genetics', u'issn': u'0009-9163', u'cyear': u'2007', u'volume': u'71', u'@key': u'58_23502795', u'first_page': u'12', u'issue': u'1'}")]]]
train_2 = [[[('AUTHOR_FIRST_NAME', u'A.'), ('AUTHOR_LAST_NAME', u'Abedin'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Spurn'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Wiegert'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Pokorn'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Borovicka'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Brown'), ('JOURNAL', u'Icarus'), ('VOLUME', u'261'), ('YEAR', u'2015'), ('PAGE', u'100-117')],
[('AUTHOR_FIRST_NAME', u'S.H.'), ('AUTHOR_LAST_NAME', u'Ahn'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'343'), ('YEAR', u'2003'), ('PAGE', u'1095-1100')],
[('AUTHOR_FIRST_NAME', u'S.H.'), ('AUTHOR_LAST_NAME', u'Ahn'), ('JOURNAL', u'Earth'), ('JOURNAL', u'Moon'), ('JOURNAL', u'Planets'), ('VOLUME', u'95'), ('YEAR', u'2004'), ('PAGE', u'63-68')],
[('AUTHOR_FIRST_NAME', u'S.H.'), ('AUTHOR_LAST_NAME', u'Ahn'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'358'), ('YEAR', u'2005'), ('PAGE', u'1105-1115')],
[('AUTHOR_FIRST_NAME', u'T.R'), ('AUTHOR_LAST_NAME', u'Arter'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'286'), ('YEAR', u'1997'), ('PAGE', u'163-172')],
[('AUTHOR_FIRST_NAME', u'T.R'), ('AUTHOR_LAST_NAME', u'Arter'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'288'), ('YEAR', u'1997'), ('PAGE', u'721-728')],
[('AUTHOR_COLLABORATION', u'Beijing Observatory'), ('TITLE', u'General'), ('TITLE', u'Compilation'), ('TITLE', u'of'), ('TITLE', u'Chinese'), ('TITLE', u'ancient'), ('TITLE', u'Astronomical'), ('TITLE', u'Records:'), ('PUBLISHER', u'Beijing'), ('PUBLISHER', u'Observatory'), ('YEAR', u'1988')],
[('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Brown'), ('AUTHOR_FIRST_NAME', u'D.K.'), ('AUTHOR_LAST_NAME', u'Wong'), ('AUTHOR_FIRST_NAME', u'R.J.'), ('AUTHOR_LAST_NAME', u'Weryk'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Wiegert'), ('JOURNAL', u'Icarus'), ('VOLUME', u'207'), ('ISSUE', u'1'), ('YEAR', u'2010'), ('PAGE', u'66-81')],
[('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Chasles'), ('TITLE', u'Catalogue'), ('TITLE', u"d'aparitions"), ('TITLE', u'dtoiles'), ('TITLE', u'filantes'), ('TITLE', u'pendant'), ('TITLE', u'six'), ('TITLE', u'sicles;'), ('TITLE', u'de'), ('TITLE', u'538'), ('TITLE', u'a'), ('TITLE', u'1123:'), ('JOURNAL', u'Comptes'), ('JOURNAL', u'rendus'), ('JOURNAL', u'de'), ('JOURNAL', u"l'academie"), ('JOURNAL', u'des'), ('JOURNAL', u'Sci.'), ('VOLUME', u'12'), ('YEAR', u'1841'), ('PAGE', u'499-509')],
[('AUTHOR_FIRST_NAME', u'D.'), ('AUTHOR_LAST_NAME', u'Cook'), ('JOURNAL', u'JHA'), ('VOLUME', u'xxx'), ('YEAR', u'1999'), ('PAGE', u'131-160')],
[('AUTHOR_FIRST_NAME', u'U.'), ('AUTHOR_LAST_NAME', u"Dall'Olmo"), ('JOURNAL', u'JHA'), ('VOLUME', u'ix'), ('YEAR', u'1978'), ('PAGE', u'123-134')],
[('AUTHOR_FIRST_NAME', u'U.'), ('AUTHOR_LAST_NAME', u"Dall'Olmo"), ('JOURNAL', u'JHA'), ('VOLUME', u'xi'), ('YEAR', u'1980'), ('PAGE', u'10-27')],
[('AUTHOR_FIRST_NAME', u'W.J.'), ('AUTHOR_LAST_NAME', u'Fisher'), ('JOURNAL', u'Bull.'), ('JOURNAL', u'Harvard'), ('JOURNAL', u'Coll.'), ('JOURNAL', u'Obs'), ('VOLUME', u'894'), ('YEAR', u'1934'), ('PAGE', u'15')],
[('AUTHOR_FIRST_NAME', u'K.'), ('AUTHOR_LAST_NAME', u'Fox'), ('TITLE', u'Asteroids,'), ('TITLE', u'Comets'), ('TITLE', u'and'), ('TITLE', u'Meteors:'), ('PAGE', u'521-525')],
[('AUTHOR_FIRST_NAME', u'K.'), ('AUTHOR_LAST_NAME', u'Fox'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'D.W.'), ('AUTHOR_LAST_NAME', u'Hughes'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'199'), ('YEAR', u'1982'), ('PAGE', u'313-324')],
[('AUTHOR_FIRST_NAME', u'K.'), ('AUTHOR_LAST_NAME', u'Fox'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'D.W'), ('AUTHOR_LAST_NAME', u'Hughes'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'217'), ('YEAR', u'1985'), ('PAGE', u'407-411')],
[('AUTHOR_FIRST_NAME', u'Y.'), ('AUTHOR_LAST_NAME', u'Fujiwara'), ('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('PAGE', u'209-214')],
[('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('JOURNAL', u'Publ.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Japan'), ('VOLUME', u'31'), ('YEAR', u'1979'), ('PAGE', u'257-270')],
[('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('JOURNAL', u'Cel.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'54'), ('YEAR', u'1992'), ('PAGE', u'129-142')],
[('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('TITLE', u'Meteors'), ('TITLE', u'and'), ('TITLE', u'Their'), ('TITLE', u'Parent'), ('TITLE', u'Bodies:'), ('PAGE', u'209-223')],
[('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa.'), ('JOURNAL', u'Q.'), ('JOURNAL', u'J.R.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('VOLUME', u'37'), ('YEAR', u'1996'), ('PAGE', u'75-78')],
[('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('TITLE', u'In'), ('TITLE', u'Meteoroids'), ('TITLE', u'1998:'), ('PUBLISHER', u'Astron.'), ('PUBLISHER', u'Inst.,'), ('PUBLISHER', u'Slovak'), ('PUBLISHER', u'Acad.'), ('PUBLISHER', u'Sci.'), ('YEAR', u'1999'), ('PAGE', u'177-184')],
[('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('TITLE', u'Meteoroids'), ('TITLE', u'1998:'), ('PAGE', u'153-156')],
[('AUTHOR_FIRST_NAME', u'H.P.'), ('AUTHOR_LAST_NAME', u'Yoke'), ('JOURNAL', u'Vistas'), ('JOURNAL', u'Astron.'), ('VOLUME', u'5'), ('YEAR', u'1962'), ('PAGE', u'127-225')],
[('AUTHOR_FIRST_NAME', u'D.W.'), ('AUTHOR_LAST_NAME', u'Hughes'), ('AUTHOR_FIRST_NAME', u'B.'), ('AUTHOR_LAST_NAME', u'Emerson'), ('JOURNAL', u'Observatory'), ('VOLUME', u'102'), ('YEAR', u'1982'), ('PAGE', u'39-42')],
[('AUTHOR_FIRST_NAME', u'S.'), ('AUTHOR_LAST_NAME', u'Imoto'), ('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('JOURNAL', u'Smithsonian'), ('JOURNAL', u'Contrib.'), ('JOURNAL', u'Astrophys.'), ('VOLUME', u'2'), ('YEAR', u'1958'), ('PAGE', u'131-144')],
[('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'A&A'), ('VOLUME', u'287'), ('YEAR', u'1994'), ('PAGE', u'990-1013')],
[('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'A&A'), ('VOLUME', u'317'), ('YEAR', u'1997'), ('PAGE', u'953-961')],
[('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('TITLE', u'Meteor'), ('TITLE', u'Showers'), ('TITLE', u'and'), ('TITLE', u'Their'), ('TITLE', u'Parent'), ('TITLE', u'Comets:'), ('PUBLISHER', u'Cambridge'), ('PUBLISHER', u'University'), ('PUBLISHER', u'Press'), ('YEAR', u'2006')],
[('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'Icarus'), ('VOLUME', u'266'), ('YEAR', u'2016'), ('PAGE', u'331-354')],
[('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('AUTHOR_FIRST_NAME', u'H.'), ('AUTHOR_LAST_NAME', u'Betlem'), ('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'de Lignie'), ('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Langbroek'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'van Vliet'), ('JOURNAL', u'A'), ('JOURNAL', u'A'), ('VOLUME', u'327'), ('YEAR', u'1997'), ('PAGE', u'1242-1252')],
[('AUTHOR_FIRST_NAME', u'T.J.'), ('AUTHOR_LAST_NAME', u'Jopek'), ('AUTHOR_FIRST_NAME', u'Z.'), ('AUTHOR_LAST_NAME', u'Kauchov'), ('JOURNAL', u'Planetary'), ('JOURNAL', u'Space'), ('JOURNAL', u'Sci.'), ('VOLUME', u'143'), ('YEAR', u'2017'), ('PAGE', u'2-6')],
[('AUTHOR_FIRST_NAME', u'T.J.'), ('AUTHOR_LAST_NAME', u'Jopek'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'430'), ('YEAR', u'2013'), ('PAGE', u'2377-2389')],
[('AUTHOR_FIRST_NAME', u'M.R.'), ('AUTHOR_LAST_NAME', u'Kidger'), ('JOURNAL', u'Q.'), ('JOURNAL', u'J.R.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('VOLUME', u'34'), ('YEAR', u'1993'), ('PAGE', u'331-334')],
[('AUTHOR_FIRST_NAME', u'G.W.'), ('AUTHOR_LAST_NAME', u'Kronk'), ('TITLE', u'Meteor'), ('TITLE', u'Showers.'), ('TITLE', u'An'), ('TITLE', u'annotated'), ('TITLE', u'Catalog:'), ('PUBLISHER', u'Springer'), ('YEAR', u'2014')],
[('AUTHOR_FIRST_NAME', u'M.J.'), ('AUTHOR_LAST_NAME', u'Martnez'), ('AUTHOR_FIRST_NAME', u'F.J.'), ('AUTHOR_LAST_NAME', u'Marco'), ('JOURNAL', u'J.'), ('JOURNAL', u'History'), ('JOURNAL', u'Astron.'), ('VOLUME', u'48'), ('YEAR', u'2017'), ('PAGE', u'62-120')],
[('AUTHOR_FIRST_NAME', u'H.A.'), ('AUTHOR_LAST_NAME', u'Newton'), ('TITLE', u'The'), ('TITLE', u'original'), ('TITLE', u'accounts'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'displays'), ('TITLE', u'in'), ('TITLE', u'former'), ('TITLE', u'times'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'November'), ('TITLE', u'star-'), ('TITLE', u'shower:'), ('JOURNAL', u'Am.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Sci'), ('JOURNAL', u'Arts.'), ('VOLUME', u'37'), ('YEAR', u'1864'), ('PAGE', u'377-389')],
[('AUTHOR_FIRST_NAME', u'D.'), ('AUTHOR_LAST_NAME', u'Pankenier'), ('AUTHOR_FIRST_NAME', u'Zhentao'), ('AUTHOR_LAST_NAME', u'Xu'), ('AUTHOR_FIRST_NAME', u'Yaotiao'), ('AUTHOR_LAST_NAME', u'Jiang'), ('TITLE', u'Archaeoastronomy'), ('TITLE', u'in'), ('TITLE', u'East'), ('TITLE', u'Asia:'), ('TITLE', u'Historical'), ('TITLE', u'Observational'), ('TITLE', u'Records'), ('TITLE', u'of'), ('TITLE', u'Comets'), ('TITLE', u'and'), ('TITLE', u'Meteor'), ('TITLE', u'Showers'), ('TITLE', u'from'), ('TITLE', u'China:'), ('PUBLISHER', u'Cambria'), ('PUBLISHER', u'Press'), ('YEAR', u'2008')],
[('AUTHOR_COLLABORATION', u'PMH'), ('JOURNAL', u'Portugale'), ('JOURNAL', u'Monumenta'), ('JOURNAL', u'Historica'), ('YEAR', u'1856')],
[('AUTHOR_FIRST_NAME', u'A.'), ('AUTHOR_LAST_NAME', u'Quetelet'), ('TITLE', u'Catalogue'), ('TITLE', u'Nouveau'), ('TITLE', u'des'), ('TITLE', u'principals'), ('TITLE', u'aparitions'), ('TITLE', u'dtoiles'), ('TITLE', u'filantes:'), ('JOURNAL', u'Memoires'), ('JOURNAL', u'de'), ('JOURNAL', u"I'Academie"), ('JOURNAL', u'Royale'), ('JOURNAL', u'des'), ('JOURNAL', u'Sciences'), ('JOURNAL', u'et'), ('JOURNAL', u'Belles-'), ('JOURNAL', u'Lettres'), ('JOURNAL', u'de'), ('JOURNAL', u'Bruxelles'), ('VOLUME', u'15'), ('YEAR', u'1841'), ('PAGE', u'21-60')],
[('AUTHOR_FIRST_NAME', u'W.S.'), ('AUTHOR_LAST_NAME', u'Rada'), ('AUTHOR_FIRST_NAME', u'F.R.'), ('AUTHOR_LAST_NAME', u'Stephenson'), ('JOURNAL', u'Q.'), ('JOURNAL', u'J.R.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('VOLUME', u'33'), ('YEAR', u'1992'), ('PAGE', u'5-16')],
[('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Toth'), ('TITLE', u'Meteoroids'), ('TITLE', u'1998:'), ('PAGE', u'223-226')],
[('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Wiegert'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Brown'), ('JOURNAL', u'Earth'), ('JOURNAL', u'Moon'), ('JOURNAL', u'Planets'), ('VOLUME', u'95'), ('YEAR', u'2004'), ('PAGE', u'81-88')],
[('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Geophys.'), ('VOLUME', u'52'), ('ISSUE', u'2'), ('YEAR', u'2011'), ('PAGE', u'20-26')],
[('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'S.'), ('AUTHOR_LAST_NAME', u'Collander-Brown'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'294'), ('YEAR', u'1998'), ('PAGE', u'127-138')],
[('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'G.O.'), ('AUTHOR_LAST_NAME', u'Ryabovs'), ('AUTHOR_FIRST_NAME', u'A.P.'), ('AUTHOR_LAST_NAME', u'Baturin'), ('AUTHOR_FIRST_NAME', u'A.M.'), ('AUTHOR_LAST_NAME', u'Chernitsov'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'355'), ('YEAR', u'2004'), ('PAGE', u'1171-1181')],
[('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'Z.'), ('AUTHOR_LAST_NAME', u'Wu'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'264'), ('YEAR', u'1993'), ('PAGE', u'659-664')],
[('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'C.D.'), ('AUTHOR_LAST_NAME', u'Murray'), ('AUTHOR_FIRST_NAME', u'D.W.'), ('AUTHOR_LAST_NAME', u'Hughes'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'189'), ('YEAR', u'1979'), ('PAGE', u'483-492')],
[('AUTHOR_FIRST_NAME', u'Z.'), ('AUTHOR_LAST_NAME', u'Wu'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'280'), ('YEAR', u'1996'), ('PAGE', u'1210-1218')],
[('AUTHOR_FIRST_NAME', u'H.J.'), ('AUTHOR_LAST_NAME', u'Yang'), ('AUTHOR_FIRST_NAME', u'Ch.'), ('AUTHOR_LAST_NAME', u'Park'), ('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Park'), ('JOURNAL', u'Icarus'), ('VOLUME', u'175'), ('YEAR', u'2005'), ('PAGE', u'215-225')],
[('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Yau'), ('AUTHOR_FIRST_NAME', u'D.'), ('AUTHOR_LAST_NAME', u'Yeomans'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Weismann'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'266'), ('YEAR', u'1994'), ('PAGE', u'305-316')],
[('AUTHOR_FIRST_NAME', u'D.K.'), ('AUTHOR_LAST_NAME', u'Yeomans'), ('AUTHOR_FIRST_NAME', u'K.K.'), ('AUTHOR_LAST_NAME', u'Yau'), ('AUTHOR_FIRST_NAME', u'P.R.'), ('AUTHOR_LAST_NAME', u'Weismann'), ('JOURNAL', u'Icarus'), ('VOLUME', u'124'), ('YEAR', u'1996'), ('PAGE', u'407-413')],
[('AUTHOR_FIRST_NAME', u'L.'), ('AUTHOR_LAST_NAME', u'Yrjla'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'A'), ('JOURNAL', u'A'), ('VOLUME', u'330'), ('YEAR', u'1998'), ('PAGE', u'739-752')]],
[[('AUTHOR_LAST_NAME', u'Prusiner'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_MIDDLE_NAME', u'B'), ('TITLE', u'Prions'), ('JOURNAL', u'Proc'), ('JOURNAL', u'Natl'), ('JOURNAL', u'Acad'), ('JOURNAL', u'Sci'), ('JOURNAL', u'U'), ('JOURNAL', u'S'), ('JOURNAL', u'A'), ('VOLUME', u'95'), ('YEAR', u'1998'), ('PAGE', u'13363'), ('DOI', u'10.1073/pnas.95.23.13363'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Aguzzi'), ('AUTHOR_FIRST_NAME', u'A'), ('TITLE', u'Molecular'), ('TITLE', u'mechanisms'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'pathogenesis'), ('JOURNAL', u'Annu'), ('JOURNAL', u'Rev'), ('JOURNAL', u'Pathol'), ('VOLUME', u'3'), ('YEAR', u'2008'), ('PAGE', u'11'), ('DOI', u'10.1146/annurev.pathmechdis.3.121806.154326'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Soto'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Prion'), ('TITLE', u'hypothesis:'), ('TITLE', u'the'), ('TITLE', u'end'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'controversy?'), ('JOURNAL', u'Trends'), ('JOURNAL', u'Biochem'), ('JOURNAL', u'Sci'), ('VOLUME', u'36'), ('YEAR', u'2011'), ('PAGE', u'151'), ('DOI', u'10.1016/j.tibs.2010.11.001'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Ma'), ('AUTHOR_FIRST_NAME', u'J'), ('TITLE', u'The'), ('TITLE', u'role'), ('TITLE', u'of'), ('TITLE', u'cofactors'), ('TITLE', u'in'), ('TITLE', u'prion'), ('TITLE', u'propagation'), ('TITLE', u'and'), ('TITLE', u'infectivity'), ('JOURNAL', u'PLoS'), ('JOURNAL', u'Pathog'), ('VOLUME', u'8'), ('YEAR', u'2012'), ('PAGE', u'e1002589'), ('DOI', u'10.1371/journal.ppat.1002589'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Aguzzi'), ('AUTHOR_FIRST_NAME', u'A'), ('TITLE', u'The'), ('TITLE', u'prions'), ('TITLE', u'elusive'), ('TITLE', u'reason'), ('TITLE', u'for'), ('TITLE', u'being'), ('JOURNAL', u'Annu'), ('JOURNAL', u'Rev'), ('JOURNAL', u'Neurosci'), ('VOLUME', u'31'), ('YEAR', u'2008'), ('PAGE', u'439'), ('DOI', u'10.1146/annurev.neuro.31.060407.125620'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Roucou'), ('AUTHOR_FIRST_NAME', u'X'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'neuroprotective'), ('TITLE', u'function:'), ('TITLE', u'implications'), ('TITLE', u'in'), ('TITLE', u'prion'), ('TITLE', u'diseases'), ('JOURNAL', u'J'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Med'), ('JOURNAL', u'(Berl)'), ('VOLUME', u'83'), ('YEAR', u'2005'), ('PAGE', u'3'), ('DOI', u'10.1007/s00109-004-0605-5'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Singh'), ('AUTHOR_FIRST_NAME', u'N'), ('TITLE', u'Redox'), ('TITLE', u'control'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'and'), ('TITLE', u'disease'), ('TITLE', u'pathogenesis'), ('JOURNAL', u'Antioxid'), ('JOURNAL', u'Redox'), ('JOURNAL', u'Signal'), ('VOLUME', u'12'), ('YEAR', u'2010'), ('PAGE', u'1271'), ('DOI', u'10.1089/ars.2009.2628'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Pan'), ('AUTHOR_FIRST_NAME', u'Y'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'promotes'), ('TITLE', u'invasion'), ('TITLE', u'and'), ('TITLE', u'metastasis'), ('TITLE', u'of'), ('TITLE', u'gastric'), ('TITLE', u'cancer'), ('JOURNAL', u'FASEB'), ('JOURNAL', u'J'), ('VOLUME', u'20'), ('YEAR', u'2006'), ('PAGE', u'1886'), ('DOI', u'10.1096/fj.06-6138fje'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Liang'), ('AUTHOR_FIRST_NAME', u'J'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'promotes'), ('TITLE', u'proliferation'), ('TITLE', u'and'), ('TITLE', u'G1/S'), ('TITLE', u'transition'), ('TITLE', u'of'), ('TITLE', u'human'), ('TITLE', u'gastric'), ('TITLE', u'cancer'), ('TITLE', u'cells'), ('TITLE', u'SGC7901'), ('TITLE', u'and'), ('TITLE', u'AGS'), ('JOURNAL', u'FASEB'), ('JOURNAL', u'J'), ('VOLUME', u'21'), ('YEAR', u'2007'), ('PAGE', u'2247'), ('DOI', u'10.1096/fj.06-7799com'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Sollazzo'), ('AUTHOR_FIRST_NAME', u'V'), ('TITLE', u'Prion'), ('TITLE', u'proteins'), ('TITLE', u'(PRNP'), ('TITLE', u'and'), ('TITLE', u'PRND)'), ('TITLE', u'are'), ('TITLE', u'over-'), ('TITLE', u'expressed'), ('TITLE', u'in'), ('TITLE', u'osteosarcoma'), ('JOURNAL', u'J'), ('JOURNAL', u'Orthop'), ('JOURNAL', u'Res'), ('VOLUME', u'30'), ('YEAR', u'2012'), ('PAGE', u'1004'), ('DOI', u'10.1002/jor.22034'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Meslin'), ('AUTHOR_FIRST_NAME', u'F'), ('TITLE', u'Efficacy'), ('TITLE', u'of'), ('TITLE', u'adjuvant'), ('TITLE', u'chemotherapy'), ('TITLE', u'according'), ('TITLE', u'to'), ('TITLE', u'Prion'), ('TITLE', u'protein'), ('TITLE', u'expression'), ('TITLE', u'in'), ('TITLE', u'patients'), ('TITLE', u'with'), ('TITLE', u'estrogen'), ('TITLE', u'receptor-'), ('TITLE', u'negative'), ('TITLE', u'breast'), ('TITLE', u'cancer'), ('JOURNAL', u'Ann'), ('JOURNAL', u'Oncol'), ('VOLUME', u'18'), ('YEAR', u'2007'), ('PAGE', u'1793'), ('DOI', u'10.1093/annonc/mdm406'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Pro-'), ('TITLE', u'prion'), ('TITLE', u'binds'), ('TITLE', u'filamin'), ('TITLE', u'A,'), ('TITLE', u'facilitating'), ('TITLE', u'its'), ('TITLE', u'interaction'), ('TITLE', u'with'), ('TITLE', u'integrin'), ('TITLE', u'beta1,'), ('TITLE', u'and'), ('TITLE', u'contributes'), ('TITLE', u'to'), ('TITLE', u'melanomagenesis'), ('JOURNAL', u'J'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Chem'), ('VOLUME', u'285'), ('YEAR', u'2010'), ('PAGE', u'30328'), ('DOI', u'10.1074/jbc.M110.147413'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Binding'), ('TITLE', u'of'), ('TITLE', u'pro-'), ('TITLE', u'prion'), ('TITLE', u'to'), ('TITLE', u'filamin'), ('TITLE', u'A'), ('TITLE', u'disrupts'), ('TITLE', u'cytoskeleton'), ('TITLE', u'and'), ('TITLE', u'correlates'), ('TITLE', u'with'), ('TITLE', u'poor'), ('TITLE', u'prognosis'), ('TITLE', u'in'), ('TITLE', u'pancreatic'), ('TITLE', u'cancer'), ('JOURNAL', u'J'), ('JOURNAL', u'Clin'), ('JOURNAL', u'Invest'), ('VOLUME', u'119'), ('YEAR', u'2009'), ('PAGE', u'2725'), ('DOI', u'10.1172/JCI39542'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Mehrpour'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'Prion'), ('TITLE', u'protein:'), ('TITLE', u'From'), ('TITLE', u'physiology'), ('TITLE', u'to'), ('TITLE', u'cancer'), ('TITLE', u'biology'), ('JOURNAL', u'Cancer'), ('JOURNAL', u'Lett'), ('VOLUME', u'290'), ('YEAR', u'2010'), ('PAGE', u'1'), ('DOI', u'10.1016/j.canlet.2009.07.009'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'Q'), ('AUTHOR_MIDDLE_NAME', u'Q'), ('TITLE', u'The'), ('TITLE', u'role'), ('TITLE', u'of'), ('TITLE', u'P-'), ('TITLE', u'glycoprotein/cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'interaction'), ('TITLE', u'in'), ('TITLE', u'multidrug-'), ('TITLE', u'resistant'), ('TITLE', u'breast'), ('TITLE', u'cancer'), ('TITLE', u'cells'), ('TITLE', u'treated'), ('TITLE', u'with'), ('TITLE', u'paclitaxel'), ('JOURNAL', u'Cell'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Life'), ('JOURNAL', u'Sci'), ('VOLUME', u'66'), ('YEAR', u'2009'), ('PAGE', u'504'), ('DOI', u'10.1007/s00018-008-8548-6'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Diarra-Mehrpour'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'Prion'), ('TITLE', u'protein'), ('TITLE', u'prevents'), ('TITLE', u'human'), ('TITLE', u'breast'), ('TITLE', u'carcinoma'), ('TITLE', u'cell'), ('TITLE', u'line'), ('TITLE', u'from'), ('TITLE', u'tumor'), ('TITLE', u'necrosis'), ('TITLE', u'factor'), ('TITLE', u'alpha-'), ('TITLE', u'induced'), ('TITLE', u'cell'), ('TITLE', u'death'), ('JOURNAL', u'Cancer'), ('JOURNAL', u'Res'), ('VOLUME', u'64'), ('YEAR', u'2004'), ('PAGE', u'719'), ('DOI', u'10.1158/0008-5472.CAN-03-1735'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Meslin'), ('AUTHOR_FIRST_NAME', u'F'), ('TITLE', u'Silencing'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'sensitizes'), ('TITLE', u'breast'), ('TITLE', u'adriamycin-'), ('TITLE', u'resistant'), ('TITLE', u'carcinoma'), ('TITLE', u'cells'), ('TITLE', u'to'), ('TITLE', u'TRAIL-'), ('TITLE', u'mediated'), ('TITLE', u'cell'), ('TITLE', u'death'), ('JOURNAL', u'Cancer'), ('JOURNAL', u'Res'), ('VOLUME', u'67'), ('YEAR', u'2007'), ('PAGE', u'10910'), ('DOI', u'10.1158/0008-5472.CAN-07-0512'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Roucou'), ('AUTHOR_FIRST_NAME', u'X'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'inhibits'), ('TITLE', u'proapoptotic'), ('TITLE', u'Bax'), ('TITLE', u'conformational'), ('TITLE', u'change'), ('TITLE', u'in'), ('TITLE', u'human'), ('TITLE', u'neurons'), ('TITLE', u'and'), ('TITLE', u'in'), ('TITLE', u'breast'), ('TITLE', u'carcinoma'), ('TITLE', u'MCF-'), ('TITLE', u'7'), ('TITLE', u'cells'), ('JOURNAL', u'Cell'), ('JOURNAL', u'Death'), ('JOURNAL', u'Differ'), ('VOLUME', u'12'), ('YEAR', u'2005'), ('PAGE', u'783'), ('DOI', u'10.1038/sj.cdd.4401629'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'N'), ('TITLE', u'Quinoprotein'), ('TITLE', u'adducts'), ('TITLE', u'accumulate'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'substantia'), ('TITLE', u'nigra'), ('TITLE', u'of'), ('TITLE', u'aged'), ('TITLE', u'rats'), ('TITLE', u'and'), ('TITLE', u'correlate'), ('TITLE', u'with'), ('TITLE', u'dopamine-'), ('TITLE', u'induced'), ('TITLE', u'toxicity'), ('TITLE', u'in'), ('TITLE', u'SH-'), ('TITLE', u'SY5Y'), ('TITLE', u'cells'), ('JOURNAL', u'Neurochem'), ('JOURNAL', u'Res'), ('VOLUME', u'36'), ('YEAR', u'2011'), ('PAGE', u'2169'), ('DOI', u'10.1007/s11064-011-0541-z'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Kuwahara'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Prions'), ('TITLE', u'prevent'), ('TITLE', u'neuronal'), ('TITLE', u'cell-'), ('TITLE', u'line'), ('TITLE', u'death'), ('JOURNAL', u'Nature'), ('VOLUME', u'400'), ('YEAR', u'1999'), ('PAGE', u'225'), ('DOI', u'10.1038/22241'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Kim'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_MIDDLE_NAME', u'H'), ('TITLE', u'The'), ('TITLE', u'cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'(PrPC)'), ('TITLE', u'prevents'), ('TITLE', u'apoptotic'), ('TITLE', u'neuronal'), ('TITLE', u'cell'), ('TITLE', u'death'), ('TITLE', u'and'), ('TITLE', u'mitochondrial'), ('TITLE', u'dysfunction'), ('TITLE', u'induced'), ('TITLE', u'by'), ('TITLE', u'serum'), ('TITLE', u'deprivation'), ('JOURNAL', u'Brain'), ('JOURNAL', u'Res'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Brain'), ('JOURNAL', u'Res'), ('VOLUME', u'124'), ('YEAR', u'2004'), ('PAGE', u'40'), ('DOI', u'10.1016/j.molbrainres.2004.02.005'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Shyu'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_MIDDLE_NAME', u'C'), ('TITLE', u'Molecular'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'expression'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'by'), ('TITLE', u'heat'), ('TITLE', u'shock'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Neurobiol'), ('VOLUME', u'26'), ('YEAR', u'2002'), ('PAGE', u'1'), ('DOI', u'10.1385/MN:26:1:001'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_MIDDLE_NAME', u'M'), ('TITLE', u'Ageing'), ('TITLE', u'and'), ('TITLE', u'exposure'), ('TITLE', u'to'), ('TITLE', u'oxidative'), ('TITLE', u'stress'), ('TITLE', u'in'), ('TITLE', u'vivo'), ('TITLE', u'differentially'), ('TITLE', u'affect'), ('TITLE', u'cellular'), ('TITLE', u'levels'), ('TITLE', u'of'), ('TITLE', u'PrP'), ('TITLE', u'in'), ('TITLE', u'mouse'), ('TITLE', u'cerebral'), ('TITLE', u'microvessels'), ('TITLE', u'and'), ('TITLE', u'brain'), ('TITLE', u'parenchyma'), ('JOURNAL', u'Neuropathol'), ('JOURNAL', u'Appl'), ('JOURNAL', u'Neurobiol'), ('VOLUME', u'30'), ('YEAR', u'2004'), ('PAGE', u'161'), ('DOI', u'10.1111/j.1365-2990.2003.00523.x'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Shyu'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_MIDDLE_NAME', u'C'), ('TITLE', u'Hypoglycemia'), ('TITLE', u'enhances'), ('TITLE', u'the'), ('TITLE', u'expression'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'and'), ('TITLE', u'heat-'), ('TITLE', u'shock'), ('TITLE', u'protein'), ('TITLE', u'70'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'mouse'), ('TITLE', u'neuroblastoma'), ('TITLE', u'cell'), ('TITLE', u'line'), ('JOURNAL', u'J'), ('JOURNAL', u'Neurosci'), ('JOURNAL', u'Res'), ('VOLUME', u'80'), ('YEAR', u'2005'), ('PAGE', u'887'), ('DOI', u'10.1002/jnr.20509'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Podar'), ('AUTHOR_FIRST_NAME', u'K'), ('TITLE', u'A'), ('TITLE', u'pivotal'), ('TITLE', u'role'), ('TITLE', u'for'), ('TITLE', u'Mcl-'), ('TITLE', u'1'), ('TITLE', u'in'), ('TITLE', u'Bortezomib-'), ('TITLE', u'induced'), ('TITLE', u'apoptosis'), ('JOURNAL', u'Oncogene'), ('VOLUME', u'27'), ('YEAR', u'2008'), ('PAGE', u'721'), ('DOI', u'10.1038/sj.onc.1210679'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Tampio'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'Induction'), ('TITLE', u'of'), ('TITLE', u'PUMA-'), ('TITLE', u'alpha'), ('TITLE', u'and'), ('TITLE', u'down-'), ('TITLE', u'regulation'), ('TITLE', u'of'), ('TITLE', u'PUMA-'), ('TITLE', u'beta'), ('TITLE', u'expression'), ('TITLE', u'is'), ('TITLE', u'associated'), ('TITLE', u'with'), ('TITLE', u'benzo(a)pyrene-'), ('TITLE', u'induced'), ('TITLE', u'apoptosis'), ('TITLE', u'in'), ('TITLE', u'MCF-'), ('TITLE', u'7'), ('TITLE', u'cells'), ('JOURNAL', u'Toxicol'), ('JOURNAL', u'Lett'), ('VOLUME', u'188'), ('YEAR', u'2009'), ('PAGE', u'214'), ('DOI', u'10.1016/j.toxlet.2009.04.016'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Sanz'), ('AUTHOR_FIRST_NAME', u'E'), ('TITLE', u'Anti-'), ('TITLE', u'apoptotic'), ('TITLE', u'effect'), ('TITLE', u'of'), ('TITLE', u'Mao-'), ('TITLE', u'B'), ('TITLE', u'inhibitor'), ('TITLE', u'PF9601N'), ('TITLE', u'[N-'), ('TITLE', u'(2-'), ('TITLE', u'propynyl)-'), ('TITLE', u'2-'), ('TITLE', u'(5-'), ('TITLE', u'benzyloxy-'), ('TITLE', u'indolyl)'), ('TITLE', u'methylamine]'), ('TITLE', u'is'), ('TITLE', u'mediated'), ('TITLE', u'by'), ('TITLE', u'p53'), ('TITLE', u'pathway'), ('TITLE', u'inhibition'), ('TITLE', u'in'), ('TITLE', u'MPP+'), ('TITLE', u'-'), ('TITLE', u'treated'), ('TITLE', u'SH-'), ('TITLE', u'SY5Y'), ('TITLE', u'human'), ('TITLE', u'dopaminergic'), ('TITLE', u'cells'), ('JOURNAL', u'J'), ('JOURNAL', u'Neurochem'), ('VOLUME', u'105'), ('YEAR', u'2008'), ('PAGE', u'2404'), ('DOI', u'10.1111/j.1471-4159.2008.05326.x'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Liu'), ('AUTHOR_FIRST_NAME', u'J'), ('TITLE', u'ERKs/p53'), ('TITLE', u'signal'), ('TITLE', u'transduction'), ('TITLE', u'pathway'), ('TITLE', u'is'), ('TITLE', u'involved'), ('TITLE', u'in'), ('TITLE', u'doxorubicin-'), ('TITLE', u'induced'), ('TITLE', u'apoptosis'), ('TITLE', u'in'), ('TITLE', u'H9c2'), ('TITLE', u'cells'), ('TITLE', u'and'), ('TITLE', u'cardiomyocytes'), ('JOURNAL', u'Am'), ('JOURNAL', u'J'), ('JOURNAL', u'Physiol'), ('JOURNAL', u'Heart'), ('JOURNAL', u'Circ'), ('JOURNAL', u'Physiol'), ('VOLUME', u'295'), ('YEAR', u'2008'), ('PAGE', u'H1956'), ('DOI', u'10.1152/ajpheart.00407.2008'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Paitel'), ('AUTHOR_FIRST_NAME', u'E'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'sensitizes'), ('TITLE', u'neurons'), ('TITLE', u'to'), ('TITLE', u'apoptotic'), ('TITLE', u'stimuli'), ('TITLE', u'through'), ('TITLE', u'Mdm2-'), ('TITLE', u'regulated'), ('TITLE', u'and'), ('TITLE', u'p53-'), ('TITLE', u'dependent'), ('TITLE', u'caspase'), ('TITLE', u'3-'), ('TITLE', u'like'), ('TITLE', u'activation'), ('JOURNAL', u'J'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Chem'), ('VOLUME', u'278'), ('YEAR', u'2003'), ('PAGE', u'10061'), ('DOI', u'10.1074/jbc.M211580200'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Paitel'), ('AUTHOR_FIRST_NAME', u'E'), ('TITLE', u'Primary'), ('TITLE', u'cultured'), ('TITLE', u'neurons'), ('TITLE', u'devoid'), ('TITLE', u'of'), ('TITLE', u'cellular'), ('TITLE', u'prion'), ('TITLE', u'display'), ('TITLE', u'lower'), ('TITLE', u'responsiveness'), ('TITLE', u'to'), ('TITLE', u'staurosporine'), ('TITLE', u'through'), ('TITLE', u'the'), ('TITLE', u'control'), ('TITLE', u'of'), ('TITLE', u'p53'), ('TITLE', u'at'), ('TITLE', u'both'), ('TITLE', u'transcriptional'), ('TITLE', u'and'), ('TITLE', u'post-'), ('TITLE', u'transcriptional'), ('TITLE', u'levels'), ('JOURNAL', u'J'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Chem'), ('VOLUME', u'279'), ('YEAR', u'2004'), ('PAGE', u'612'), ('DOI', u'10.1074/jbc.M310453200'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Lacroix'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'p53'), ('TITLE', u'and'), ('TITLE', u'breast'), ('TITLE', u'cancer,'), ('TITLE', u'an'), ('TITLE', u'update'), ('JOURNAL', u'Endocr'), ('JOURNAL', u'Relat'), ('JOURNAL', u'Cancer'), ('VOLUME', u'13'), ('YEAR', u'2006'), ('PAGE', u'293'), ('DOI', u'10.1677/erc.1.01172'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Cagnol'), ('AUTHOR_FIRST_NAME', u'S'), ('TITLE', u'ERK'), ('TITLE', u'and'), ('TITLE', u'cell'), ('TITLE', u'death:'), ('TITLE', u'mechanisms'), ('TITLE', u'of'), ('TITLE', u'ERK-'), ('TITLE', u'induced'), ('TITLE', u'cell'), ('TITLE', u'death-'), ('TITLE', u'apoptosis,'), ('TITLE', u'autophagy'), ('TITLE', u'and'), ('TITLE', u'senescence'), ('JOURNAL', u'FEBS'), ('JOURNAL', u'J'), ('VOLUME', u'277'), ('YEAR', u'2010'), ('PAGE', u'2'), ('DOI', u'10.1111/j.1742-4658.2009.07366.x'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Balmanno'), ('AUTHOR_FIRST_NAME', u'K'), ('TITLE', u'Tumour'), ('TITLE', u'cell'), ('TITLE', u'survival'), ('TITLE', u'signalling'), ('TITLE', u'by'), ('TITLE', u'the'), ('TITLE', u'ERK1/2'), ('TITLE', u'pathway'), ('JOURNAL', u'Cell'), ('JOURNAL', u'Death'), ('JOURNAL', u'Differ'), ('VOLUME', u'16'), ('YEAR', u'2009'), ('PAGE', u'368'), ('DOI', u'10.1038/cdd.2008.148'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Thomas'), ('AUTHOR_FIRST_NAME', u'R'), ('TITLE', u'HIF-'), ('TITLE', u'1'), ('TITLE', u'alpha:'), ('TITLE', u'a'), ('TITLE', u'key'), ('TITLE', u'survival'), ('TITLE', u'factor'), ('TITLE', u'for'), ('TITLE', u'serum-'), ('TITLE', u'deprived'), ('TITLE', u'prostate'), ('TITLE', u'cancer'), ('TITLE', u'cells'), ('JOURNAL', u'Prostate'), ('VOLUME', u'68'), ('YEAR', u'2008'), ('PAGE', u'1405'), ('DOI', u'10.1002/pros.20808'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Lee'), ('AUTHOR_FIRST_NAME', u'K'), ('TITLE', u'Anthracycline'), ('TITLE', u'chemotherapy'), ('TITLE', u'inhibits'), ('TITLE', u'HIF-'), ('TITLE', u'1'), ('TITLE', u'transcriptional'), ('TITLE', u'activity'), ('TITLE', u'and'), ('TITLE', u'tumor-'), ('TITLE', u'induced'), ('TITLE', u'mobilization'), ('TITLE', u'of'), ('TITLE', u'circulating'), ('TITLE', u'angiogenic'), ('TITLE', u'cells'), ('JOURNAL', u'Proc'), ('JOURNAL', u'Natl'), ('JOURNAL', u'Acad'), ('JOURNAL', u'Sci'), ('JOURNAL', u'U'), ('JOURNAL', u'S'), ('JOURNAL', u'A'), ('VOLUME', u'106'), ('YEAR', u'2009'), ('PAGE', u'2353'), ('DOI', u'10.1073/pnas.0812801106'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')],
[('AUTHOR_LAST_NAME', u'Anantharam'), ('AUTHOR_FIRST_NAME', u'V'), ('TITLE', u'Opposing'), ('TITLE', u'roles'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'in'), ('TITLE', u'oxidative'), ('TITLE', u'stress-'), ('TITLE', u'and'), ('TITLE', u'ER'), ('TITLE', u'stress-'), ('TITLE', u'induced'), ('TITLE', u'apoptotic'), ('TITLE', u'signaling'), ('JOURNAL', u'Free'), ('JOURNAL', u'Radic'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Med'), ('VOLUME', u'45'), ('YEAR', u'2008'), ('PAGE', u'1530'), ('DOI', u'10.1016/j.freeradbiomed.2008.08.028'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')]]]
train_3 = [[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Aursand'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Ridder'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'dynamics'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'weak'), ('TITLE', u'Freedericksz'), ('TITLE', u'transition'), ('TITLE', u'for'), ('TITLE', u'nematic'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'20'), ('ISSUE', u'5'), ('YEAR', u'2016'), ('PAGE', u'1359'), ('DOI', u'10.4208/cicp.190615.090516a'), ('REFPLAINTEXT', u'Aursand, P., Napoli, G., Ridder, J.: On the dynamics of the weak Freedericksz transition for nematic liquid crystals. Commun. Comput. Phys. 20(5), 1359\u20131380 (2016)'), ('REFSTR', "{u'bibunstructured': u'Aursand, P., Napoli, G., Ridder, J.: On the dynamics of the weak Freedericksz transition for nematic liquid crystals. Commun. Comput. Phys. 20(5), 1359\\u20131380 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Aursand', u'initials': u'P'}, {u'familyname': u'Napoli', u'initials': u'G'}, {u'familyname': u'Ridder', u'initials': u'J'}], u'issueid': u'5', u'journaltitle': u'Commun. Comput. Phys.', u'volumeid': u'20', u'firstpage': u'1359', u'lastpage': u'1380', u'year': u'2016', u'articletitle': {u'#text': u'On the dynamics of the weak Freedericksz transition for nematic liquid crystals', u'@outputmedium': u'All', u'@language': u'En'}, u'occurrence': [{u'handle': u'3611798', u'@type': u'AMSID'}, {u'handle': u'10.4208/cicp.190615.090516a', u'@type': u'DOI'}]}, u'citationnumber': u'1.', u'@id': u'CR1'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Bevilacqua'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'Reexamination'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'72'), ('ISSUE', u'4'), ('YEAR', u'2005'), ('PAGE', u'041708'), ('REFPLAINTEXT', u'Bevilacqua, G., Napoli, G.: Reexamination of the Helfrich\u2013Hurault effect in smectic-a liquid crystals. Phys. Rev. E 72(4), 041708 (2005)'), ('REFSTR', "{u'bibunstructured': u'Bevilacqua, G., Napoli, G.: Reexamination of the Helfrich\\u2013Hurault effect in smectic-a liquid crystals. Phys. Rev. E 72(4), 041708 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bevilacqua', u'initials': u'G'}, {u'familyname': u'Napoli', u'initials': u'G'}], u'issueid': u'4', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'72', u'firstpage': u'041708', u'year': u'2005', u'articletitle': {u'#text': u'Reexamination of the Helfrich\\u2013Hurault effect in smectic-a liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.72.041708', u'@type': u'DOI'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Bevilacqua'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'Parity'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'weak'), ('TITLE', u'Fredericksz'), ('TITLE', u'transition'), ('JOURNAL', u'Eur.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'J.'), ('JOURNAL', u'E'), ('VOLUME', u'35'), ('ISSUE', u'12'), ('YEAR', u'2012'), ('PAGE', u'133'), ('REFPLAINTEXT', u'Bevilacqua, G., Napoli, G.: Parity of the weak Fr\xe9edericksz transition. Eur. Phys. J. E 35(12), 133 (2012)'), ('REFSTR', "{u'bibunstructured': u'Bevilacqua, G., Napoli, G.: Parity of the weak Fr\\xe9edericksz transition. Eur. Phys. J. E 35(12), 133 (2012)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bevilacqua', u'initials': u'G'}, {u'familyname': u'Napoli', u'initials': u'G'}], u'issueid': u'12', u'journaltitle': u'Eur. Phys. J. E', u'volumeid': u'35', u'firstpage': u'133', u'year': u'2012', u'articletitle': {u'#text': u'Parity of the weak Fr\\xe9edericksz transition', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1140/epje/i2012-12133-7', u'@type': u'DOI'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")],
[('AUTHOR_FIRST_NAME', u'NA'), ('AUTHOR_LAST_NAME', u'Clark'), ('AUTHOR_FIRST_NAME', u'RB'), ('AUTHOR_LAST_NAME', u'Meyer'), ('TITLE', u'Strain-'), ('TITLE', u'induced'), ('TITLE', u'instability'), ('TITLE', u'of'), ('TITLE', u'monodomain'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'and'), ('TITLE', u'cholesteric'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Lett.'), ('VOLUME', u'22'), ('ISSUE', u'10'), ('YEAR', u'1973'), ('PAGE', u'493'), ('REFPLAINTEXT', u'Clark, N.A., Meyer, R.B.: Strain-induced instability of monodomain smectic a and cholesteric liquid crystals. Appl. Phys. Lett. 22(10), 493\u2013494 (1973)'), ('REFSTR', "{u'bibunstructured': u'Clark, N.A., Meyer, R.B.: Strain-induced instability of monodomain smectic a and cholesteric liquid crystals. Appl. Phys. Lett. 22(10), 493\\u2013494 (1973)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Clark', u'initials': u'NA'}, {u'familyname': u'Meyer', u'initials': u'RB'}], u'issueid': u'10', u'journaltitle': u'Appl. Phys. Lett.', u'volumeid': u'22', u'firstpage': u'493', u'lastpage': u'494', u'year': u'1973', u'articletitle': {u'#text': u'Strain-induced instability of monodomain smectic a and cholesteric liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1063/1.1654481', u'@type': u'DOI'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Vita'), ('AUTHOR_FIRST_NAME', u'IW'), ('AUTHOR_LAST_NAME', u'Stewart'), ('TITLE', u'Influence'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'anchoring'), ('TITLE', u'upon'), ('TITLE', u'the'), ('TITLE', u'alignment'), ('TITLE', u'of'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'with'), ('TITLE', u'surface'), ('TITLE', u'pretilt'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Condens.'), ('JOURNAL', u'Matter'), ('VOLUME', u'20'), ('ISSUE', u'33'), ('YEAR', u'2008'), ('PAGE', u'335101'), ('REFPLAINTEXT', u'De Vita, R., Stewart, I.W.: Influence of weak anchoring upon the alignment of smectic a liquid crystals with surface pretilt. J. Phys. Condens. Matter 20(33), 335101 (2008)'), ('REFSTR', "{u'bibunstructured': u'De Vita, R., Stewart, I.W.: Influence of weak anchoring upon the alignment of smectic a liquid crystals with surface pretilt. J. Phys. Condens. Matter 20(33), 335101 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Vita', u'particle': u'De', u'initials': u'R'}, {u'familyname': u'Stewart', u'initials': u'IW'}], u'issueid': u'33', u'journaltitle': u'J. Phys. Condens. Matter', u'volumeid': u'20', u'firstpage': u'335101', u'year': u'2008', u'articletitle': {u'#text': u'Influence of weak anchoring upon the alignment of smectic a liquid crystals with surface pretilt', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1088/0953-8984/20/33/335101', u'@type': u'DOI'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")],
[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Gennes'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Prost'), ('YEAR', u'1993'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Physics'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Liquid'), ('PUBLISHER', u'Crystals'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'de Gennes, P., Prost, J.: The Physics of Liquid Crystals, 2nd edn. Clarendon Press, Oxford (1993)'), ('REFSTR', "{u'bibunstructured': u'de Gennes, P., Prost, J.: The Physics of Liquid Crystals, 2nd edn. Clarendon Press, Oxford (1993)', u'citationnumber': u'6.', u'@id': u'CR6', u'bibbook': {u'bibauthorname': [{u'familyname': u'Gennes', u'particle': u'de', u'initials': u'P'}, {u'familyname': u'Prost', u'initials': u'J'}], u'publisherlocation': u'Oxford', u'booktitle': u'The Physics of Liquid Crystals', u'year': u'1993', u'editionnumber': u'2', u'publishername': u'Clarendon Press'}}")],
[('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Pascalis'), ('TITLE', u'Mechanically'), ('TITLE', u'induced'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'confined'), ('TITLE', u'lamellar'), ('TITLE', u'system'), ('TITLE', u'with'), ('TITLE', u'finite'), ('TITLE', u'surface'), ('TITLE', u'anchoring'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'100'), ('ISSUE', u'1'), ('YEAR', u'2019'), ('PAGE', u'012705'), ('REFPLAINTEXT', u'De Pascalis, R.: Mechanically induced Helfrich\u2013Hurault effect in a confined lamellar system with finite surface anchoring. Phys. Rev. E 100(1), 012705 (2019)'), ('REFSTR', "{u'bibunstructured': u'De Pascalis, R.: Mechanically induced Helfrich\\u2013Hurault effect in a confined lamellar system with finite surface anchoring. Phys. Rev. E 100(1), 012705 (2019)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pascalis', u'particle': u'De', u'initials': u'R'}, u'issueid': u'1', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'100', u'firstpage': u'012705', u'year': u'2019', u'articletitle': {u'#text': u'Mechanically induced Helfrich\\u2013Hurault effect in a confined lamellar system with finite surface anchoring', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.100.012705', u'@type': u'DOI'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")],
[('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Deuling'), ('TITLE', u'Deformation'), ('TITLE', u'of'), ('TITLE', u'nematic'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'electric'), ('TITLE', u'field'), ('JOURNAL', u'Mol.'), ('JOURNAL', u'Cryst.'), ('JOURNAL', u'Liq.'), ('JOURNAL', u'Cryst.'), ('VOLUME', u'19'), ('YEAR', u'1972'), ('PAGE', u'123'), ('REFPLAINTEXT', u'Deuling, H.: Deformation of nematic liquid crystals in an electric field. Mol. Cryst. Liq. Cryst. 19, 123 (1972)'), ('REFSTR', "{u'bibunstructured': u'Deuling, H.: Deformation of nematic liquid crystals in an electric field. Mol. Cryst. Liq. Cryst. 19, 123 (1972)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Deuling', u'initials': u'H'}, u'occurrence': {u'handle': u'10.1080/15421407208083858', u'@type': u'DOI'}, u'journaltitle': u'Mol. Cryst. Liq. Cryst.', u'volumeid': u'19', u'firstpage': u'123', u'year': u'1972', u'articletitle': {u'#text': u'Deformation of nematic liquid crystals in an electric field', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Elias'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Flament'), ('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Bacri'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Neveau'), ('TITLE', u'Macro-'), ('TITLE', u'organized'), ('TITLE', u'patterns'), ('TITLE', u'in'), ('TITLE', u'ferrofluid'), ('TITLE', u'layer:'), ('TITLE', u'experimental'), ('TITLE', u'studies'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'I'), ('VOLUME', u'7'), ('YEAR', u'1997'), ('PAGE', u'711'), ('REFPLAINTEXT', u'Elias, F., Flament, C., Bacri, J.C., Neveau, S.: Macro-organized patterns in ferrofluid layer: experimental studies. J. Phys. I 7, 711 (1997)'), ('REFSTR', "{u'bibunstructured': u'Elias, F., Flament, C., Bacri, J.C., Neveau, S.: Macro-organized patterns in ferrofluid layer: experimental studies. J. Phys. I 7, 711 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Elias', u'initials': u'F'}, {u'familyname': u'Flament', u'initials': u'C'}, {u'familyname': u'Bacri', u'initials': u'JC'}, {u'familyname': u'Neveau', u'initials': u'S'}], u'journaltitle': u'J. Phys. I', u'volumeid': u'7', u'firstpage': u'711', u'year': u'1997', u'articletitle': {u'#text': u'Macro-organized patterns in ferrofluid layer: experimental studies', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Elston'), ('TITLE', u'Smectic-'), ('TITLE', u'A'), ('TITLE', u'Fredericksz'), ('TITLE', u'transition'), ('JOURNAL', u'Phy.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'58'), ('ISSUE', u'2'), ('YEAR', u'1998'), ('PAGE', u'R1215'), ('REFPLAINTEXT', u'Elston, S.J.: Smectic-A Fr\xe9edericksz transition. Phy. Rev. E 58(2), R1215\u2013R1217 (1998)'), ('REFSTR', "{u'bibunstructured': u'Elston, S.J.: Smectic-A Fr\\xe9edericksz transition. Phy. Rev. E 58(2), R1215\\u2013R1217 (1998)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Elston', u'initials': u'SJ'}, u'issueid': u'2', u'journaltitle': u'Phy. Rev. E', u'volumeid': u'58', u'firstpage': u'R1215', u'lastpage': u'R1217', u'year': u'1998', u'articletitle': {u'#text': u'Smectic-A Fr\\xe9edericksz transition', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.58.R1215', u'@type': u'DOI'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")],
[('AUTHOR_FIRST_NAME', u'CJ'), ('AUTHOR_LAST_NAME', u'Garca-Cervera'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Joo'), ('TITLE', u'Analytic'), ('TITLE', u'description'), ('TITLE', u'of'), ('TITLE', u'layer'), ('TITLE', u'undulations'), ('TITLE', u'in'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Ration.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'203'), ('ISSUE', u'1'), ('YEAR', u'2012'), ('PAGE', u'1'), ('DOI', u'10.1007/s00205-011-0442-y'), ('REFPLAINTEXT', u'Garc\xeda-Cervera, C.J., Joo, S.: Analytic description of layer undulations in smectic a liquid crystals. Arch. Ration. Mech. Anal. 203(1), 1\u201343 (2012)'), ('REFSTR', "{u'bibunstructured': u'Garc\\xeda-Cervera, C.J., Joo, S.: Analytic description of layer undulations in smectic a liquid crystals. Arch. Ration. Mech. Anal. 203(1), 1\\u201343 (2012)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Garc\\xeda-Cervera', u'initials': u'CJ'}, {u'familyname': u'Joo', u'initials': u'S'}], u'issueid': u'1', u'journaltitle': u'Arch. Ration. Mech. Anal.', u'volumeid': u'203', u'firstpage': u'1', u'lastpage': u'43', u'year': u'2012', u'articletitle': {u'#text': u'Analytic description of layer undulations in smectic a liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'2864406', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00205-011-0442-y', u'@type': u'DOI'}]}, u'citationnumber': u'11.', u'@id': u'CR11'}")],
[('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Helfrich'), ('TITLE', u'Deformation'), ('TITLE', u'of'), ('TITLE', u'cholesteric'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'with'), ('TITLE', u'low'), ('TITLE', u'threshold'), ('TITLE', u'voltage'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Lett.'), ('VOLUME', u'17'), ('ISSUE', u'12'), ('YEAR', u'1970'), ('PAGE', u'531'), ('REFPLAINTEXT', u'Helfrich, W.: Deformation of cholesteric liquid crystals with low threshold voltage. Appl. Phys. Lett. 17(12), 531\u2013532 (1970)'), ('REFSTR', "{u'bibunstructured': u'Helfrich, W.: Deformation of cholesteric liquid crystals with low threshold voltage. Appl. Phys. Lett. 17(12), 531\\u2013532 (1970)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Helfrich', u'initials': u'W'}, u'issueid': u'12', u'journaltitle': u'Appl. Phys. Lett.', u'volumeid': u'17', u'firstpage': u'531', u'lastpage': u'532', u'year': u'1970', u'articletitle': {u'#text': u'Deformation of cholesteric liquid crystals with low threshold voltage', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1063/1.1653297', u'@type': u'DOI'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")],
[('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Hurault'), ('TITLE', u'Static'), ('TITLE', u'distortions'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'cholesteric'), ('TITLE', u'planar'), ('TITLE', u'structure'), ('TITLE', u'induced'), ('TITLE', u'by'), ('TITLE', u'magnet'), ('TITLE', u'ic'), ('TITLE', u'or'), ('TITLE', u'ac'), ('TITLE', u'electric'), ('TITLE', u'fields'), ('JOURNAL', u'J.'), ('JOURNAL', u'Chem.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'59'), ('ISSUE', u'4'), ('YEAR', u'1973'), ('PAGE', u'2068'), ('REFPLAINTEXT', u'Hurault, J.: Static distortions of a cholesteric planar structure induced by magnet ic or ac electric fields. J. Chem. Phys. 59(4), 2068\u20132075 (1973)'), ('REFSTR', "{u'bibunstructured': u'Hurault, J.: Static distortions of a cholesteric planar structure induced by magnet ic or ac electric fields. J. Chem. Phys. 59(4), 2068\\u20132075 (1973)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Hurault', u'initials': u'J'}, u'issueid': u'4', u'journaltitle': u'J. Chem. Phys.', u'volumeid': u'59', u'firstpage': u'2068', u'lastpage': u'2075', u'year': u'1973', u'articletitle': {u'#text': u'Static distortions of a cholesteric planar structure induced by magnet ic or ac electric fields', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1063/1.1680293', u'@type': u'DOI'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")],
[('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Ishikawa'), ('AUTHOR_FIRST_NAME', u'OD'), ('AUTHOR_LAST_NAME', u'Lavrentovich'), ('TITLE', u'Undulations'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'confined'), ('TITLE', u'lamellar'), ('TITLE', u'system'), ('TITLE', u'with'), ('TITLE', u'surface'), ('TITLE', u'anchoring'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'63'), ('ISSUE', u'3'), ('YEAR', u'2001'), ('PAGE', u'030501'), ('REFPLAINTEXT', u'Ishikawa, T., Lavrentovich, O.D.: Undulations in a confined lamellar system with surface anchoring. Phys. Rev. E 63(3), 030501 (2001)'), ('REFSTR', "{u'bibunstructured': u'Ishikawa, T., Lavrentovich, O.D.: Undulations in a confined lamellar system with surface anchoring. Phys. Rev. E 63(3), 030501 (2001)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ishikawa', u'initials': u'T'}, {u'familyname': u'Lavrentovich', u'initials': u'OD'}], u'issueid': u'3', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'63', u'firstpage': u'030501', u'year': u'2001', u'articletitle': {u'#text': u'Undulations in a confined lamellar system with surface anchoring', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.63.030501', u'@type': u'DOI'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")],
[('AUTHOR_FIRST_NAME', u'PJ'), ('AUTHOR_LAST_NAME', u'Kedney'), ('AUTHOR_FIRST_NAME', u'IW'), ('AUTHOR_LAST_NAME', u'Stewart'), ('TITLE', u'The'), ('TITLE', u'onset'), ('TITLE', u'of'), ('TITLE', u'layer'), ('TITLE', u'deformations'), ('TITLE', u'in'), ('TITLE', u'non-'), ('TITLE', u'chiral'), ('TITLE', u'smectic'), ('TITLE', u'C'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'ZAMP'), ('VOLUME', u'45'), ('ISSUE', u'6'), ('YEAR', u'1994'), ('PAGE', u'882'), ('REFPLAINTEXT', u'Kedney, P.J., Stewart, I.W.: The onset of layer deformations in non-chiral smectic C liquid crystals. ZAMP 45(6), 882\u2013898 (1994)'), ('REFSTR', "{u'bibunstructured': u'Kedney, P.J., Stewart, I.W.: The onset of layer deformations in non-chiral smectic C liquid crystals. ZAMP 45(6), 882\\u2013898 (1994)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kedney', u'initials': u'PJ'}, {u'familyname': u'Stewart', u'initials': u'IW'}], u'issueid': u'6', u'journaltitle': u'ZAMP', u'volumeid': u'45', u'firstpage': u'882', u'lastpage': u'898', u'year': u'1994', u'articletitle': {u'#text': u'The onset of layer deformations in non-chiral smectic C liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'1306938', u'@type': u'AMSID'}, {u'handle': u'0820.76009', u'@type': u'ZLBID'}]}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('AUTHOR_FIRST_NAME', u'LV'), ('AUTHOR_LAST_NAME', u'Mirantsev'), ('TITLE', u'Dynamics'), ('TITLE', u'of'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'deformations'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Eur.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'J.'), ('JOURNAL', u'E'), ('VOLUME', u'38'), ('ISSUE', u'9'), ('YEAR', u'2015'), ('PAGE', u'104'), ('REFPLAINTEXT', u'Mirantsev, L.V.: Dynamics of Helfrich\u2013Hurault deformations in smectic-A liquid crystals. Eur. Phys. J. E 38(9), 104 (2015)'), ('REFSTR', "{u'bibunstructured': u'Mirantsev, L.V.: Dynamics of Helfrich\\u2013Hurault deformations in smectic-A liquid crystals. Eur. Phys. J. E 38(9), 104 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Mirantsev', u'initials': u'LV'}, u'issueid': u'9', u'journaltitle': u'Eur. Phys. J. E', u'volumeid': u'38', u'firstpage': u'104', u'year': u'2015', u'articletitle': {u'#text': u'Dynamics of Helfrich\\u2013Hurault deformations in smectic-A liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1140/epje/i2015-15104-6', u'@type': u'DOI'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'Weak'), ('TITLE', u'anchoring'), ('TITLE', u'effects'), ('TITLE', u'in'), ('TITLE', u'electrically'), ('TITLE', u'driven'), ('TITLE', u'Freedericksz'), ('TITLE', u'transitions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Gen.'), ('VOLUME', u'39'), ('YEAR', u'2005'), ('PAGE', u'11'), ('DOI', u'10.1088/0305-4470/39/1/002'), ('REFPLAINTEXT', u'Napoli, G.: Weak anchoring effects in electrically driven Freedericksz transitions. J. Phys. A Math. Gen. 39, 11\u201331 (2005)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G.: Weak anchoring effects in electrically driven Freedericksz transitions. J. Phys. A Math. Gen. 39, 11\\u201331 (2005)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Napoli', u'initials': u'G'}, u'occurrence': [{u'handle': u'2200181', u'@type': u'AMSID'}, {u'handle': u'10.1088/0305-4470/39/1/002', u'@type': u'DOI'}], u'journaltitle': u'J. Phys. A Math. Gen.', u'volumeid': u'39', u'firstpage': u'11', u'lastpage': u'31', u'year': u'2005', u'articletitle': {u'#text': u'Weak anchoring effects in electrically driven Freedericksz transitions', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'On'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'electrostatic'), ('TITLE', u'field'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'71'), ('ISSUE', u'1'), ('YEAR', u'2006'), ('PAGE', u'34'), ('DOI', u'10.1093/imamat/hxh080'), ('REFPLAINTEXT', u'Napoli, G.: On smectic-A liquid crystals in an electrostatic field. IMA J. Appl. Math. 71(1), 34\u201346 (2006)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G.: On smectic-A liquid crystals in an electrostatic field. IMA J. Appl. Math. 71(1), 34\\u201346 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Napoli', u'initials': u'G'}, u'issueid': u'1', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'71', u'firstpage': u'34', u'lastpage': u'46', u'year': u'2006', u'articletitle': {u'#text': u'On smectic-A liquid crystals in an electrostatic field', u'@language': u'En'}, u'occurrence': [{u'handle': u'2203042', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxh080', u'@type': u'DOI'}]}, u'citationnumber': u'18.', u'@id': u'CR18'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Nobili'), ('TITLE', u'Mechanically'), ('TITLE', u'induced'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'lamellar'), ('TITLE', u'systems'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'80'), ('ISSUE', u'3'), ('YEAR', u'2009'), ('PAGE', u'031710'), ('REFPLAINTEXT', u'Napoli, G., Nobili, A.: Mechanically induced Helfrich\u2013Hurault effect in lamellar systems. Phys. Rev. E 80(3), 031710 (2009)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G., Nobili, A.: Mechanically induced Helfrich\\u2013Hurault effect in lamellar systems. Phys. Rev. E 80(3), 031710 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Napoli', u'initials': u'G'}, {u'familyname': u'Nobili', u'initials': u'A'}], u'issueid': u'3', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'80', u'firstpage': u'031710', u'year': u'2009', u'articletitle': {u'#text': u'Mechanically induced Helfrich\\u2013Hurault effect in lamellar systems', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.80.031710', u'@type': u'DOI'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Turzi'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'determination'), ('TITLE', u'of'), ('TITLE', u'nontrivial'), ('TITLE', u'equilibrium'), ('TITLE', u'configurations'), ('TITLE', u'close'), ('TITLE', u'to'), ('TITLE', u'a'), ('TITLE', u'bifurcation'), ('TITLE', u'point'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'55'), ('ISSUE', u'2'), ('YEAR', u'2008'), ('PAGE', u'299'), ('DOI', u'10.1016/j.camwa.2007.04.008'), ('REFPLAINTEXT', u'Napoli, G., Turzi, S.: On the determination of nontrivial equilibrium configurations close to a bifurcation point. Comput. Math. Appl. 55(2), 299\u2013306 (2008)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G., Turzi, S.: On the determination of nontrivial equilibrium configurations close to a bifurcation point. Comput. Math. Appl. 55(2), 299\\u2013306 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Napoli', u'initials': u'G'}, {u'familyname': u'Turzi', u'initials': u'S'}], u'issueid': u'2', u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'55', u'firstpage': u'299', u'lastpage': u'306', u'year': u'2008', u'articletitle': {u'#text': u'On the determination of nontrivial equilibrium configurations close to a bifurcation point', u'@language': u'En'}, u'occurrence': [{u'handle': u'2383109', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2007.04.008', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Onuki'), ('AUTHOR_FIRST_NAME', u'JI'), ('AUTHOR_LAST_NAME', u'Fukuda'), ('TITLE', u'Electric'), ('TITLE', u'field'), ('TITLE', u'effects'), ('TITLE', u'and'), ('TITLE', u'form'), ('TITLE', u'birefringence'), ('TITLE', u'in'), ('TITLE', u'diblock'), ('TITLE', u'copolymers'), ('JOURNAL', u'Macromolecules'), ('VOLUME', u'28'), ('YEAR', u'1996'), ('PAGE', u'8788'), ('REFPLAINTEXT', u'Onuki, A., Fukuda, J.I.: Electric field effects and form birefringence in diblock copolymers. Macromolecules 28, 8788 (1996)'), ('REFSTR', "{u'bibunstructured': u'Onuki, A., Fukuda, J.I.: Electric field effects and form birefringence in diblock copolymers. Macromolecules 28, 8788 (1996)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Onuki', u'initials': u'A'}, {u'familyname': u'Fukuda', u'initials': u'JI'}], u'occurrence': {u'handle': u'10.1021/ma00130a011', u'@type': u'DOI'}, u'journaltitle': u'Macromolecules', u'volumeid': u'28', u'firstpage': u'8788', u'year': u'1996', u'articletitle': {u'#text': u'Electric field effects and form birefringence in diblock copolymers', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")],
[('AUTHOR_FIRST_NAME', u'JB'), ('AUTHOR_LAST_NAME', u'Poursamad'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Hallaji'), ('TITLE', u'Freedericksz'), ('TITLE', u'transition'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'doped'), ('TITLE', u'by'), ('TITLE', u'ferroelectric'), ('TITLE', u'nanoparticles'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'B'), ('JOURNAL', u'Condens.'), ('JOURNAL', u'Matter'), ('VOLUME', u'504'), ('YEAR', u'2017'), ('PAGE', u'112'), ('REFPLAINTEXT', u'Poursamad, J.B., Hallaji, T.: Freedericksz transition in smectic-A liquid crystals doped by ferroelectric nanoparticles. Phys. B Condens. Matter 504, 112\u2013115 (2017)'), ('REFSTR', "{u'bibunstructured': u'Poursamad, J.B., Hallaji, T.: Freedericksz transition in smectic-A liquid crystals doped by ferroelectric nanoparticles. Phys. B Condens. Matter 504, 112\\u2013115 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Poursamad', u'initials': u'JB'}, {u'familyname': u'Hallaji', u'initials': u'T'}], u'occurrence': {u'handle': u'10.1016/j.physb.2016.10.022', u'@type': u'DOI'}, u'journaltitle': u'Phys. B Condens. Matter', u'volumeid': u'504', u'firstpage': u'112', u'lastpage': u'115', u'year': u'2017', u'articletitle': {u'#text': u'Freedericksz transition in smectic-A liquid crystals doped by ferroelectric nanoparticles', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")],
[('REFPLAINTEXT', u'Rapini, A., Papoular., M.: Distortion d\u2019une lamelle n\xe9matique sous champ magn\xe9tique. conditions d\u2019angrage aux paroix. J. Phys. Colloque C4, p. 54 (1969)'), ('REFSTR', "{u'bibunstructured': u'Rapini, A., Papoular., M.: Distortion d\\u2019une lamelle n\\xe9matique sous champ magn\\xe9tique. conditions d\\u2019angrage aux paroix. J. Phys. Colloque C4, p. 54 (1969)', u'citationnumber': u'23.', u'@id': u'CR23'}")],
[('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Ribotta'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Durand'), ('TITLE', u'Mechanical'), ('TITLE', u'instabilities'), ('TITLE', u'of'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'under'), ('TITLE', u'dilatative'), ('TITLE', u'or'), ('TITLE', u'compressive'), ('TITLE', u'stresses'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'38'), ('YEAR', u'1977'), ('PAGE', u'179'), ('REFPLAINTEXT', u'Ribotta, R., Durand, G.: Mechanical instabilities of smectic-A liquid crystals under dilatative or compressive stresses. J. Phys. 38, 179\u2013203 (1977)'), ('REFSTR', "{u'bibunstructured': u'Ribotta, R., Durand, G.: Mechanical instabilities of smectic-A liquid crystals under dilatative or compressive stresses. J. Phys. 38, 179\\u2013203 (1977)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ribotta', u'initials': u'R'}, {u'familyname': u'Durand', u'initials': u'G'}], u'occurrence': {u'handle': u'10.1051/jphys:01977003802017900', u'@type': u'DOI'}, u'journaltitle': u'J. Phys.', u'volumeid': u'38', u'firstpage': u'179', u'lastpage': u'203', u'year': u'1977', u'articletitle': {u'#text': u'Mechanical instabilities of smectic-A liquid crystals under dilatative or compressive stresses', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")],
[('AUTHOR_FIRST_NAME', u'CD'), ('AUTHOR_LAST_NAME', u'Santangelo'), ('AUTHOR_FIRST_NAME', u'RD'), ('AUTHOR_LAST_NAME', u'Kamien'), ('TITLE', u'Curvature'), ('TITLE', u'and'), ('TITLE', u'topology'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'461'), ('ISSUE', u'2061'), ('YEAR', u'2005'), ('PAGE', u'2911'), ('DOI', u'10.1098/rspa.2005.1534'), ('REFPLAINTEXT', u'Santangelo, C.D., Kamien, R.D.: Curvature and topology in smectic-A liquid crystals. Proc. R. Soc. A Math. Phys. Eng. Sci. 461(2061), 2911\u20132921 (2005)'), ('REFSTR', "{u'bibunstructured': u'Santangelo, C.D., Kamien, R.D.: Curvature and topology in smectic-A liquid crystals. Proc. R. Soc. A Math. Phys. Eng. Sci. 461(2061), 2911\\u20132921 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Santangelo', u'initials': u'CD'}, {u'familyname': u'Kamien', u'initials': u'RD'}], u'issueid': u'2061', u'journaltitle': u'Proc. R. Soc. A Math. Phys. Eng. Sci.', u'volumeid': u'461', u'firstpage': u'2911', u'lastpage': u'2921', u'year': u'2005', u'articletitle': {u'#text': u'Curvature and topology in smectic-A liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'2165518', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.2005.1534', u'@type': u'DOI'}]}, u'citationnumber': u'25.', u'@id': u'CR25'}")],
[('AUTHOR_FIRST_NAME', u'BI'), ('AUTHOR_LAST_NAME', u'Senyuk'), ('AUTHOR_FIRST_NAME', u'II'), ('AUTHOR_LAST_NAME', u'Smalyukh'), ('AUTHOR_FIRST_NAME', u'OD'), ('AUTHOR_LAST_NAME', u'Lavrentovich'), ('TITLE', u'Undulations'), ('TITLE', u'of'), ('TITLE', u'lamellar'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'in'), ('TITLE', u'cells'), ('TITLE', u'with'), ('TITLE', u'finite'), ('TITLE', u'surface'), ('TITLE', u'anchoring'), ('TITLE', u'near'), ('TITLE', u'and'), ('TITLE', u'well'), ('TITLE', u'above'), ('TITLE', u'the'), ('TITLE', u'threshold'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'74'), ('ISSUE', u'1'), ('YEAR', u'2006'), ('PAGE', u'011712'), ('REFPLAINTEXT', u'Senyuk, B.I., Smalyukh, I.I., Lavrentovich, O.D.: Undulations of lamellar liquid crystals in cells with finite surface anchoring near and well above the threshold. Phys. Rev. E 74(1), 011712 (2006)'), ('REFSTR', "{u'bibunstructured': u'Senyuk, B.I., Smalyukh, I.I., Lavrentovich, O.D.: Undulations of lamellar liquid crystals in cells with finite surface anchoring near and well above the threshold. Phys. Rev. E 74(1), 011712 (2006)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Senyuk', u'initials': u'BI'}, {u'familyname': u'Smalyukh', u'initials': u'II'}, {u'familyname': u'Lavrentovich', u'initials': u'OD'}], u'issueid': u'1', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'74', u'firstpage': u'011712', u'year': u'2006', u'articletitle': {u'#text': u'Undulations of lamellar liquid crystals in cells with finite surface anchoring near and well above the threshold', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.74.011712', u'@type': u'DOI'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Seul'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Wolfe'), ('TITLE', u'Evolution'), ('TITLE', u'of'), ('TITLE', u'disorder'), ('TITLE', u'in'), ('TITLE', u'magnetic'), ('TITLE', u'stripe'), ('TITLE', u'domains.'), ('TITLE', u'I.'), ('TITLE', u'Transverse'), ('TITLE', u'instabilities'), ('TITLE', u'and'), ('TITLE', u'disclination'), ('TITLE', u'unbinding'), ('TITLE', u'in'), ('TITLE', u'lamellar'), ('TITLE', u'patterns'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'A'), ('VOLUME', u'46'), ('ISSUE', u'12'), ('YEAR', u'1992'), ('PAGE', u'7519'), ('REFPLAINTEXT', u'Seul, M., Wolfe, R.: Evolution of disorder in magnetic stripe domains. I. Transverse instabilities and disclination unbinding in lamellar patterns. Phys. Rev. A 46(12), 7519\u20137533 (1992)'), ('REFSTR', "{u'bibunstructured': u'Seul, M., Wolfe, R.: Evolution of disorder in magnetic stripe domains. I. Transverse instabilities and disclination unbinding in lamellar patterns. Phys. Rev. A 46(12), 7519\\u20137533 (1992)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Seul', u'initials': u'M'}, {u'familyname': u'Wolfe', u'initials': u'R'}], u'issueid': u'12', u'journaltitle': u'Phys. Rev. A', u'volumeid': u'46', u'firstpage': u'7519', u'lastpage': u'7533', u'year': u'1992', u'articletitle': {u'#text': u'Evolution of disorder in magnetic stripe domains. I. Transverse instabilities and disclination unbinding in lamellar patterns', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevA.46.7519', u'@type': u'DOI'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")],
[('AUTHOR_FIRST_NAME', u'AN'), ('AUTHOR_LAST_NAME', u'Shalaginov'), ('AUTHOR_FIRST_NAME', u'LD'), ('AUTHOR_LAST_NAME', u'Hazelwood'), ('AUTHOR_FIRST_NAME', u'TJ'), ('AUTHOR_LAST_NAME', u'Sluckin'), ('TITLE', u'Dynamics'), ('TITLE', u'of'), ('TITLE', u'chevron'), ('TITLE', u'structure'), ('TITLE', u'formation'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'58'), ('ISSUE', u'6'), ('YEAR', u'1998'), ('PAGE', u'7455'), ('REFPLAINTEXT', u'Shalaginov, A.N., Hazelwood, L.D., Sluckin, T.J.: Dynamics of chevron structure formation. Phys. Rev. E 58(6), 7455\u20137464 (1998)'), ('REFSTR', "{u'bibunstructured': u'Shalaginov, A.N., Hazelwood, L.D., Sluckin, T.J.: Dynamics of chevron structure formation. Phys. Rev. E 58(6), 7455\\u20137464 (1998)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Shalaginov', u'initials': u'AN'}, {u'familyname': u'Hazelwood', u'initials': u'LD'}, {u'familyname': u'Sluckin', u'initials': u'TJ'}], u'issueid': u'6', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'58', u'firstpage': u'7455', u'lastpage': u'7464', u'year': u'1998', u'articletitle': {u'#text': u'Dynamics of chevron structure formation', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.58.7455', u'@type': u'DOI'}}, u'citationnumber': u'28.', u'@id': u'CR28'}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Siemianowski'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Brimicombe'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Jaradat'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Thompson'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Bras'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Gleeson'), ('TITLE', u'Reorientation'), ('TITLE', u'mechanisms'), ('TITLE', u'in'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Liq.'), ('JOURNAL', u'Cryst.'), ('VOLUME', u'39'), ('ISSUE', u'10'), ('YEAR', u'2012'), ('PAGE', u'1261'), ('REFPLAINTEXT', u'Siemianowski, S., Brimicombe, P., Jaradat, S., Thompson, P., Bras, W., Gleeson, H.: Reorientation mechanisms in smectic a liquid crystals. Liq. Cryst. 39(10), 1261\u20131275 (2012).'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Siemianowski, S., Brimicombe, P., Jaradat, S., Thompson, P., Bras, W., Gleeson, H.: Reorientation mechanisms in smectic a liquid crystals. Liq. Cryst. 39(10), 1261\\u20131275 (2012).', u'externalref': {u'refsource': u'https://doi.org/10.1080/02678292.2012.714486', u'reftarget': {u'@address': u'10.1080/02678292.2012.714486', u'@targettype': u'DOI'}}}, u'bibarticle': {u'bibauthorname': [{u'familyname': u'Siemianowski', u'initials': u'S'}, {u'familyname': u'Brimicombe', u'initials': u'P'}, {u'familyname': u'Jaradat', u'initials': u'S'}, {u'familyname': u'Thompson', u'initials': u'P'}, {u'familyname': u'Bras', u'initials': u'W'}, {u'familyname': u'Gleeson', u'initials': u'H'}], u'issueid': u'10', u'journaltitle': u'Liq. Cryst.', u'volumeid': u'39', u'firstpage': u'1261', u'lastpage': u'1275', u'bibarticledoi': u'10.1080/02678292.2012.714486', u'year': u'2012', u'articletitle': {u'#text': u'Reorientation mechanisms in smectic a liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1080/02678292.2012.714486', u'@type': u'DOI'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")],
[('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Singer'), ('TITLE', u'Layer'), ('TITLE', u'buckling'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'and'), ('TITLE', u'two-'), ('TITLE', u'dimensional'), ('TITLE', u'stripe'), ('TITLE', u'phases'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'48'), ('ISSUE', u'4'), ('YEAR', u'1993'), ('PAGE', u'2796'), ('REFPLAINTEXT', u'Singer, S.J.: Layer buckling in smectic-A liquid crystals and two-dimensional stripe phases. Phys. Rev. E 48(4), 2796\u20132804 (1993)'), ('REFSTR', "{u'bibunstructured': u'Singer, S.J.: Layer buckling in smectic-A liquid crystals and two-dimensional stripe phases. Phys. Rev. E 48(4), 2796\\u20132804 (1993)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Singer', u'initials': u'SJ'}, u'issueid': u'4', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'48', u'firstpage': u'2796', u'lastpage': u'2804', u'year': u'1993', u'articletitle': {u'#text': u'Layer buckling in smectic-A liquid crystals and two-dimensional stripe phases', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.48.2796', u'@type': u'DOI'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")],
[('AUTHOR_FIRST_NAME', u'IW'), ('AUTHOR_LAST_NAME', u'Stewart'), ('TITLE', u'Layer'), ('TITLE', u'undulations'), ('TITLE', u'in'), ('TITLE', u'finite'), ('TITLE', u'samples'), ('TITLE', u'of'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'subjected'), ('TITLE', u'to'), ('TITLE', u'uniform'), ('TITLE', u'pressure'), ('TITLE', u'and'), ('TITLE', u'magnetic'), ('TITLE', u'fields'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'58'), ('ISSUE', u'5'), ('YEAR', u'1998'), ('PAGE', u'5926'), ('REFPLAINTEXT', u'Stewart, I.W.: Layer undulations in finite samples of smectic-A liquid crystals subjected to uniform pressure and magnetic fields. Phys. Rev. E 58(5), 5926\u20135933 (1998)'), ('REFSTR', "{u'bibunstructured': u'Stewart, I.W.: Layer undulations in finite samples of smectic-A liquid crystals subjected to uniform pressure and magnetic fields. Phys. Rev. E 58(5), 5926\\u20135933 (1998)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Stewart', u'initials': u'IW'}, u'issueid': u'5', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'58', u'firstpage': u'5926', u'lastpage': u'5933', u'year': u'1998', u'articletitle': {u'#text': u'Layer undulations in finite samples of smectic-A liquid crystals subjected to uniform pressure and magnetic fields', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.58.5926', u'@type': u'DOI'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")],
[('AUTHOR_FIRST_NAME', u'EG'), ('AUTHOR_LAST_NAME', u'Virga'), ('YEAR', u'1993'), ('PUBLISHER', u'Variational'), ('PUBLISHER', u'Theories'), ('PUBLISHER', u'for'), ('PUBLISHER', u'Liquid'), ('PUBLISHER', u'Crystals'), ('REFPLAINTEXT', u'Virga, E.G.: Variational Theories for Liquid Crystals. Chapman & Hall, London (1993)'), ('REFSTR', "{u'bibunstructured': u'Virga, E.G.: Variational Theories for Liquid Crystals. Chapman & Hall, London (1993)', u'citationnumber': u'32.', u'@id': u'CR32', u'bibbook': {u'bibauthorname': {u'familyname': u'Virga', u'initials': u'EG'}, u'publisherlocation': u'London', u'occurrence': {u'handle': u'0814.49002', u'@type': u'ZLBID'}, u'booktitle': u'Variational Theories for Liquid Crystals', u'year': u'1993', u'publishername': u'Chapman & Hall'}}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Weinan'), ('TITLE', u'Nonlinear'), ('TITLE', u'continuum'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Ration.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'137'), ('ISSUE', u'2'), ('YEAR', u'1997'), ('PAGE', u'159'), ('DOI', u'10.1007/s002050050026'), ('REFPLAINTEXT', u'Weinan, E.: Nonlinear continuum theory of smectic-A liquid crystals. Arch. Ration. Mech. Anal. 137(2), 159\u2013175 (1997)'), ('REFSTR', "{u'bibunstructured': u'Weinan, E.: Nonlinear continuum theory of smectic-A liquid crystals. Arch. Ration. Mech. Anal. 137(2), 159\\u2013175 (1997)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Weinan', u'initials': u'E'}, u'issueid': u'2', u'journaltitle': u'Arch. Ration. Mech. Anal.', u'volumeid': u'137', u'firstpage': u'159', u'lastpage': u'175', u'year': u'1997', u'articletitle': {u'#text': u'Nonlinear continuum theory of smectic-A liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'1463793', u'@type': u'AMSID'}, {u'handle': u'10.1007/s002050050026', u'@type': u'DOI'}]}, u'citationnumber': u'33.', u'@id': u'CR33'}")],
[('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'scattering'), ('TITLE', u'of'), ('TITLE', u'sound'), ('TITLE', u'by'), ('TITLE', u'two'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'staggered'), ('TITLE', u'plates.'), ('TITLE', u'I.'), ('TITLE', u'Explicit'), ('TITLE', u'matrix'), ('TITLE', u'WienerHopf'), ('TITLE', u'factorization.'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Lond.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'420'), ('YEAR', u'1988'), ('PAGE', u'131'), ('DOI', u'10.1098/rspa.1988.0121'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: On the scattering of sound by two semi-infinite parallel staggered plates. I. Explicit matrix Wiener\u2013Hopf factorization. Proc. R. Soc. Lond. A Math. Phys. Sci. 420, 131\u2013156 (1988)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: On the scattering of sound by two semi-infinite parallel staggered plates. I. Explicit matrix Wiener\\u2013Hopf factorization. Proc. R. Soc. Lond. A Math. Phys. Sci. 420, 131\\u2013156 (1988)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'occurrence': [{u'handle': u'982007', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.1988.0121', u'@type': u'DOI'}], u'journaltitle': u'Proc. R. Soc. Lond. A Math. Phys. Sci.', u'volumeid': u'420', u'firstpage': u'131', u'lastpage': u'156', u'year': u'1988', u'articletitle': {u'#text': u'On the scattering of sound by two semi-infinite parallel staggered plates. I. Explicit matrix Wiener\\u2013Hopf factorization.', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")],
[('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'The'), ('TITLE', u'scattering'), ('TITLE', u'of'), ('TITLE', u'sound'), ('TITLE', u'by'), ('TITLE', u'two'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'staggered'), ('TITLE', u'plates.'), ('TITLE', u'II.'), ('TITLE', u'Evaluation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'velocity'), ('TITLE', u'potential'), ('TITLE', u'for'), ('TITLE', u'an'), ('TITLE', u'incident'), ('TITLE', u'plane'), ('TITLE', u'wave'), ('TITLE', u'and'), ('TITLE', u'an'), ('TITLE', u'incident'), ('TITLE', u'duct'), ('TITLE', u'mode'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Lond.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'427'), ('ISSUE', u'1872'), ('YEAR', u'1990'), ('PAGE', u'139'), ('DOI', u'10.1098/rspa.1990.0006'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: The scattering of sound by two semi-infinite parallel staggered plates. II. Evaluation of the velocity potential for an incident plane wave and an incident duct mode. Proc. R. Soc. Lond. A Math. Phys. Sci. 427(1872), 139\u2013171 (1990)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: The scattering of sound by two semi-infinite parallel staggered plates. II. Evaluation of the velocity potential for an incident plane wave and an incident duct mode. Proc. R. Soc. Lond. A Math. Phys. Sci. 427(1872), 139\\u2013171 (1990)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'issueid': u'1872', u'journaltitle': u'Proc. R. Soc. Lond. A Math. Phys. Sci.', u'volumeid': u'427', u'firstpage': u'139', u'lastpage': u'171', u'year': u'1990', u'articletitle': {u'#text': u'The scattering of sound by two semi-infinite parallel staggered plates. II. Evaluation of the velocity potential for an incident plane wave and an incident duct mode', u'@language': u'En'}, u'occurrence': [{u'handle': u'1032983', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.1990.0006', u'@type': u'DOI'}]}, u'citationnumber': u'2.', u'@id': u'CR2'}")],
[('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'Acoustic'), ('TITLE', u'scattering'), ('TITLE', u'by'), ('TITLE', u'two'), ('TITLE', u'parallel'), ('TITLE', u'slightly'), ('TITLE', u'staggered'), ('TITLE', u'rigid'), ('TITLE', u'plates'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'12'), ('ISSUE', u'3'), ('YEAR', u'1990'), ('PAGE', u'281'), ('DOI', u'10.1016/0165-2125(90)90044-5'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: Acoustic scattering by two parallel slightly staggered rigid plates. Wave Motion 12(3), 281\u2013297 (1990)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: Acoustic scattering by two parallel slightly staggered rigid plates. Wave Motion 12(3), 281\\u2013297 (1990)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'issueid': u'3', u'journaltitle': u'Wave Motion', u'volumeid': u'12', u'firstpage': u'281', u'lastpage': u'297', u'year': u'1990', u'articletitle': {u'#text': u'Acoustic scattering by two parallel slightly staggered rigid plates', u'@language': u'En'}, u'occurrence': [{u'handle': u'1056278', u'@type': u'AMSID'}, {u'handle': u'10.1016/0165-2125(90)90044-5', u'@type': u'DOI'}]}, u'citationnumber': u'3.', u'@id': u'CR3'}")],
[('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'General'), ('TITLE', u'WienerHopf'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'matrix'), ('TITLE', u'kernels'), ('TITLE', u'with'), ('TITLE', u'exponential'), ('TITLE', u'phase'), ('TITLE', u'factors'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'50'), ('ISSUE', u'3'), ('YEAR', u'1990'), ('PAGE', u'819'), ('DOI', u'10.1137/0150047'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: General Wiener\u2013Hopf factorization of matrix kernels with exponential phase factors. SIAM J. Appl. Math. 50(3), 819\u2013838 (1990)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: General Wiener\\u2013Hopf factorization of matrix kernels with exponential phase factors. SIAM J. Appl. Math. 50(3), 819\\u2013838 (1990)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'issueid': u'3', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'50', u'firstpage': u'819', u'lastpage': u'838', u'year': u'1990', u'articletitle': {u'#text': u'General Wiener\\u2013Hopf factorization of matrix kernels with exponential phase factors', u'@language': u'En'}, u'occurrence': [{u'handle': u'1050914', u'@type': u'AMSID'}, {u'handle': u'10.1137/0150047', u'@type': u'DOI'}]}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('REFPLAINTEXT', u'Noble, B.: Methods Based on the Wiener\u2013Hopf Technique. Pergamon Press, London (1958)'), ('REFSTR', "{u'bibunstructured': u'Noble, B.: Methods Based on the Wiener\\u2013Hopf Technique. Pergamon Press, London (1958)', u'citationnumber': u'5.', u'@id': u'CR5'}")],
[('AUTHOR_FIRST_NAME', u'IC'), ('AUTHOR_LAST_NAME', u'Gohberg'), ('AUTHOR_FIRST_NAME', u'MG'), ('AUTHOR_LAST_NAME', u'Krein'), ('TITLE', u'Systems'), ('TITLE', u'of'), ('TITLE', u'integral'), ('TITLE', u'equations'), ('TITLE', u'on'), ('TITLE', u'a'), ('TITLE', u'half'), ('TITLE', u'line'), ('TITLE', u'with'), ('TITLE', u'kernels'), ('TITLE', u'depending'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'difference'), ('TITLE', u'of'), ('TITLE', u'arguments'), ('JOURNAL', u'Am.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Transl.'), ('JOURNAL', u'Ser.'), ('JOURNAL', u'2'), ('VOLUME', u'14'), ('YEAR', u'1960'), ('PAGE', u'217'), ('REFPLAINTEXT', u'Gohberg, I.C., Krein, M.G.: Systems of integral equations on a half line with kernels depending on the difference of arguments. Am. Math. Soc. Transl. Ser. 2 14, 217\u2013287 (1960)'), ('REFSTR', "{u'bibunstructured': u'Gohberg, I.C., Krein, M.G.: Systems of integral equations on a half line with kernels depending on the difference of arguments. Am. Math. Soc. Transl. Ser. 2 14, 217\\u2013287 (1960)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Gohberg', u'initials': u'IC'}, {u'familyname': u'Krein', u'initials': u'MG'}], u'occurrence': {u'handle': u'113114', u'@type': u'AMSID'}, u'journaltitle': u'Am. Math. Soc. Transl. Ser. 2', u'volumeid': u'14', u'firstpage': u'217', u'lastpage': u'287', u'year': u'1960', u'articletitle': {u'#text': u'Systems of integral equations on a half line with kernels depending on the difference of arguments', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")],
[('AUTHOR_FIRST_NAME', u'DS'), ('AUTHOR_LAST_NAME', u'Jones'), ('TITLE', u'Factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'WienerHopf'), ('TITLE', u'matrix'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'32'), ('ISSUE', u'1\u20133'), ('YEAR', u'1984'), ('PAGE', u'211'), ('DOI', u'10.1093/imamat/32.1-3.211'), ('REFPLAINTEXT', u'Jones, D.S.: Factorization of a Wiener\u2013Hopf matrix. IMA J. Appl. Math. 32(1\u20133), 211\u2013220 (1984)'), ('REFSTR', "{u'bibunstructured': u'Jones, D.S.: Factorization of a Wiener\\u2013Hopf matrix. IMA J. Appl. Math. 32(1\\u20133), 211\\u2013220 (1984)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Jones', u'initials': u'DS'}, u'issueid': u'1\\u20133', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'32', u'firstpage': u'211', u'lastpage': u'220', u'year': u'1984', u'articletitle': {u'#text': u'Factorization of a Wiener\\u2013Hopf matrix', u'@language': u'En'}, u'occurrence': [{u'handle': u'740458', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/32.1-3.211', u'@type': u'DOI'}]}, u'citationnumber': u'7.', u'@id': u'CR7'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'F-O'), ('AUTHOR_LAST_NAME', u'Speck'), ('YEAR', u'2012'), ('PAGE', u'385'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Gohberg'), ('PUBLISHER', u'Anniversary'), ('PUBLISHER', u'Collection.'), ('PUBLISHER', u'Operator'), ('PUBLISHER', u'Theory:'), ('PUBLISHER', u'Advances'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Meister, E., Speck, F.-O.: Wiener\u2013Hopf factorization of certain non-rational matrix functions in mathematical physics. In: Dym, H., Goldberg, S., Kaashoek, M.A., Lancaster, P. (eds.) The Gohberg Anniversary Collection. Operator Theory: Advances and Applications, vol. 41, pp. 385\u2013394. Birkhauser, Basel (2012)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Speck, F.-O.: Wiener\\u2013Hopf factorization of certain non-rational matrix functions in mathematical physics. In: Dym, H., Goldberg, S., Kaashoek, M.A., Lancaster, P. (eds.) The Gohberg Anniversary Collection. Operator Theory: Advances and Applications, vol. 41, pp. 385\\u2013394. Birkhauser, Basel (2012)', u'bibchapter': {u'eds': {u'publisherlocation': u'Basel', u'booktitle': u'The Gohberg Anniversary Collection. Operator Theory: Advances and Applications', u'firstpage': u'385', u'lastpage': u'394', u'numberinseries': u'41', u'publishername': u'Birkhauser'}, u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Speck', u'initials': u'F-O'}], u'chaptertitle': {u'#text': u'Wiener\\u2013Hopf factorization of certain non-rational matrix functions in mathematical physics', u'@language': u'En'}, u'bibeditorname': [{u'familyname': u'Dym', u'initials': u'H'}, {u'familyname': u'Goldberg', u'initials': u'S'}, {u'familyname': u'Kaashoek', u'initials': u'MA'}, {u'familyname': u'Lancaster', u'initials': u'P'}], u'year': u'2012'}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'AE'), ('AUTHOR_LAST_NAME', u'Heins'), ('TITLE', u'The'), ('TITLE', u'scope'), ('TITLE', u'and'), ('TITLE', u'limitations'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'method'), ('TITLE', u'of'), ('TITLE', u'Wiener'), ('TITLE', u'and'), ('TITLE', u'Hopf'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Pure'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'IX'), ('YEAR', u'1956'), ('PAGE', u'447'), ('DOI', u'10.1002/cpa.3160090316'), ('REFPLAINTEXT', u'Heins, A.E.: The scope and limitations of the method of Wiener and Hopf. Commun. Pure Appl. Math. IX, 447\u2013466 (1956)'), ('REFSTR', "{u'bibunstructured': u'Heins, A.E.: The scope and limitations of the method of Wiener and Hopf. Commun. Pure Appl. Math. IX, 447\\u2013466 (1956)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Heins', u'initials': u'AE'}, u'occurrence': [{u'handle': u'81977', u'@type': u'AMSID'}, {u'handle': u'10.1002/cpa.3160090316', u'@type': u'DOI'}], u'journaltitle': u'Commun. Pure Appl. Math.', u'volumeid': u'IX', u'firstpage': u'447', u'lastpage': u'466', u'year': u'1956', u'articletitle': {u'#text': u'The scope and limitations of the method of Wiener and Hopf', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Gohberg'), ('AUTHOR_FIRST_NAME', u'MA'), ('AUTHOR_LAST_NAME', u'Kaashoek'), ('AUTHOR_FIRST_NAME', u'IM'), ('AUTHOR_LAST_NAME', u'Spitkovsky'), ('YEAR', u'2000'), ('PAGE', u'1'), ('PUBLISHER', u'Factorization'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Integrable'), ('PUBLISHER', u'Systems'), ('REFPLAINTEXT', u'Gohberg, I., Kaashoek, M.A., Spitkovsky, I.M.: An overview of matrix factorization theory and operator applications. In: Gohberg, I., Manojlovic, N., dos Santos, A.F. (eds.) Factorization and Integrable Systems, pp. 1\u2013102. Birkh\xe4user, Basel (2000)'), ('REFSTR', "{u'bibunstructured': u'Gohberg, I., Kaashoek, M.A., Spitkovsky, I.M.: An overview of matrix factorization theory and operator applications. In: Gohberg, I., Manojlovic, N., dos Santos, A.F. (eds.) Factorization and Integrable Systems, pp. 1\\u2013102. Birkh\\xe4user, Basel (2000)', u'bibchapter': {u'eds': {u'publisherlocation': u'Basel', u'booktitle': u'Factorization and Integrable Systems', u'publishername': u'Birkh\\xe4user', u'firstpage': u'1', u'lastpage': u'102'}, u'bibauthorname': [{u'familyname': u'Gohberg', u'initials': u'I'}, {u'familyname': u'Kaashoek', u'initials': u'MA'}, {u'familyname': u'Spitkovsky', u'initials': u'IM'}], u'chaptertitle': {u'#text': u'An overview of matrix factorization theory and operator applications', u'@language': u'En'}, u'bibeditorname': [{u'familyname': u'Gohberg', u'initials': u'I'}, {u'familyname': u'Manojlovic', u'initials': u'N'}, {u'familyname': u'Santos', u'particle': u'dos', u'initials': u'AF'}], u'year': u'2000'}, u'citationnumber': u'10.', u'@id': u'CR10'}")],
[('AUTHOR_FIRST_NAME', u'AV'), ('AUTHOR_LAST_NAME', u'Kisil'), ('TITLE', u'An'), ('TITLE', u'iterative'), ('TITLE', u'WienerHopf'), ('TITLE', u'method'), ('TITLE', u'for'), ('TITLE', u'triangular'), ('TITLE', u'matrix'), ('TITLE', u'functions'), ('TITLE', u'with'), ('TITLE', u'exponential'), ('TITLE', u'factors'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'78'), ('ISSUE', u'1'), ('YEAR', u'2018'), ('PAGE', u'45'), ('DOI', u'10.1137/17M1136304'), ('REFPLAINTEXT', u'Kisil, A.V.: An iterative Wiener\u2013Hopf method for triangular matrix functions with exponential factors. SIAM J. Appl. Math. 78(1), 45\u201362 (2018)'), ('REFSTR', "{u'bibunstructured': u'Kisil, A.V.: An iterative Wiener\\u2013Hopf method for triangular matrix functions with exponential factors. SIAM J. Appl. Math. 78(1), 45\\u201362 (2018)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Kisil', u'initials': u'AV'}, u'issueid': u'1', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'78', u'firstpage': u'45', u'lastpage': u'62', u'year': u'2018', u'articletitle': {u'#text': u'An iterative Wiener\\u2013Hopf method for triangular matrix functions with exponential factors', u'@language': u'En'}, u'occurrence': [{u'handle': u'3742700', u'@type': u'AMSID'}, {u'handle': u'10.1137/17M1136304', u'@type': u'DOI'}]}, u'citationnumber': u'11.', u'@id': u'CR11'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('TITLE', u'Factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'class'), ('TITLE', u'of'), ('TITLE', u'matrix-'), ('TITLE', u'functions'), ('TITLE', u'with'), ('TITLE', u'stable'), ('TITLE', u'partial'), ('TITLE', u'indices'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Methods'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'39'), ('ISSUE', u'13'), ('YEAR', u'2016'), ('PAGE', u'3791'), ('DOI', u'10.1002/mma.3825'), ('REFPLAINTEXT', u'Mishuris, G., Rogosin, S.: Factorization of a class of matrix-functions with stable partial indices. Math. Methods Appl. Sci. 39(13), 3791\u20133807 (2016)'), ('REFSTR', "{u'bibunstructured': u'Mishuris, G., Rogosin, S.: Factorization of a class of matrix-functions with stable partial indices. Math. Methods Appl. Sci. 39(13), 3791\\u20133807 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mishuris', u'initials': u'G'}, {u'familyname': u'Rogosin', u'initials': u'S'}], u'issueid': u'13', u'journaltitle': u'Math. Methods Appl. Sci.', u'volumeid': u'39', u'firstpage': u'3791', u'lastpage': u'3807', u'year': u'2016', u'articletitle': {u'#text': u'Factorization of a class of matrix-functions with stable partial indices', u'@language': u'En'}, u'occurrence': [{u'handle': u'3529384', u'@type': u'AMSID'}, {u'handle': u'10.1002/mma.3825', u'@type': u'DOI'}]}, u'citationnumber': u'12.', u'@id': u'CR12'}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('TITLE', u'Constructive'), ('TITLE', u'methods'), ('TITLE', u'for'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'matrix-'), ('TITLE', u'functions'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'81'), ('ISSUE', u'2'), ('YEAR', u'2015'), ('PAGE', u'365'), ('DOI', u'10.1093/imamat/hxv038'), ('REFPLAINTEXT', u'Rogosin, S., Mishuris, G.: Constructive methods for factorization of matrix-functions. IMA J. Appl. Math. 81(2), 365\u2013391 (2015)'), ('REFSTR', "{u'bibunstructured': u'Rogosin, S., Mishuris, G.: Constructive methods for factorization of matrix-functions. IMA J. Appl. Math. 81(2), 365\\u2013391 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Rogosin', u'initials': u'S'}, {u'familyname': u'Mishuris', u'initials': u'G'}], u'issueid': u'2', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'81', u'firstpage': u'365', u'lastpage': u'391', u'year': u'2015', u'articletitle': {u'#text': u'Constructive methods for factorization of matrix-functions', u'@language': u'En'}, u'occurrence': [{u'handle': u'3483088', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxv038', u'@type': u'DOI'}]}, u'citationnumber': u'13.', u'@id': u'CR13'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('TITLE', u'Regular'), ('TITLE', u'approximate'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'class'), ('TITLE', u'of'), ('TITLE', u'matrix-'), ('TITLE', u'function'), ('TITLE', u'with'), ('TITLE', u'an'), ('TITLE', u'unstable'), ('TITLE', u'set'), ('TITLE', u'of'), ('TITLE', u'partial'), ('TITLE', u'indices'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'474'), ('ISSUE', u'2209'), ('YEAR', u'2018'), ('PAGE', u'20170279'), ('DOI', u'10.1098/rspa.2017.0279'), ('REFPLAINTEXT', u'Mishuris, G., Rogosin, S.: Regular approximate factorization of a class of matrix-function with an unstable set of partial indices. Proc. R. Soc. A Math. Phys. Eng. Sci. 474(2209), 20170279 (2018)'), ('REFSTR', "{u'bibunstructured': u'Mishuris, G., Rogosin, S.: Regular approximate factorization of a class of matrix-function with an unstable set of partial indices. Proc. R. Soc. A Math. Phys. Eng. Sci. 474(2209), 20170279 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mishuris', u'initials': u'G'}, {u'familyname': u'Rogosin', u'initials': u'S'}], u'issueid': u'2209', u'journaltitle': u'Proc. R. Soc. A Math. Phys. Eng. Sci.', u'volumeid': u'474', u'firstpage': u'20170279', u'year': u'2018', u'articletitle': {u'#text': u'Regular approximate factorization of a class of matrix-function with an unstable set of partial indices', u'@language': u'En'}, u'occurrence': [{u'handle': u'3762905', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.2017.0279', u'@type': u'DOI'}]}, u'citationnumber': u'14.', u'@id': u'CR14'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('TITLE', u'An'), ('TITLE', u'asymptotic'), ('TITLE', u'method'), ('TITLE', u'of'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'class'), ('TITLE', u'of'), ('TITLE', u'matrix'), ('TITLE', u'functions'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'470'), ('YEAR', u'2014'), ('PAGE', u'20140109'), ('REFPLAINTEXT', u'Mishuris, G., Rogosin, S.: An asymptotic method of factorization of a class of matrix functions. Proc. R. Soc. A Math. Phys. Eng. Sci. 470, 20140109 (2014)'), ('REFSTR', "{u'bibunstructured': u'Mishuris, G., Rogosin, S.: An asymptotic method of factorization of a class of matrix functions. Proc. R. Soc. A Math. Phys. Eng. Sci. 470, 20140109 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mishuris', u'initials': u'G'}, {u'familyname': u'Rogosin', u'initials': u'S'}], u'occurrence': {u'handle': u'10.1098/rspa.2014.0109', u'@type': u'DOI'}, u'journaltitle': u'Proc. R. Soc. A Math. Phys. Eng. Sci.', u'volumeid': u'470', u'firstpage': u'20140109', u'year': u'2014', u'articletitle': {u'#text': u'An asymptotic method of factorization of a class of matrix functions', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('AUTHOR_FIRST_NAME', u'JD'), ('AUTHOR_LAST_NAME', u'Achenbach'), ('YEAR', u'2012'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Propagation'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Solids.'), ('PUBLISHER', u'North-'), ('PUBLISHER', u'Holland'), ('PUBLISHER', u'Series'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Applied'), ('PUBLISHER', u'Mathematics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mechanics'), ('VOLUME', u'1'), ('REFPLAINTEXT', u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North-Holland Series in Applied Mathematics and Mechanics, vol. 16, 1st edn. North-Holland Publishing Co., Amsterdam (2012)'), ('REFSTR', "{u'bibunstructured': u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North-Holland Series in Applied Mathematics and Mechanics, vol. 16, 1st edn. North-Holland Publishing Co., Amsterdam (2012)', u'citationnumber': u'16.', u'@id': u'CR16', u'bibbook': {u'bibauthorname': {u'familyname': u'Achenbach', u'initials': u'JD'}, u'publishername': u'North-Holland Publishing Co.', u'booktitle': u'Wave Propagation in Elastic Solids. North-Holland Series in Applied Mathematics and Mechanics', u'year': u'2012', u'numberinseries': u'16', u'editionnumber': u'1', u'publisherlocation': u'Amsterdam'}}")],
[('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Miklowitz'), ('YEAR', u'2012'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Waveguides.'), ('PUBLISHER', u'North-'), ('PUBLISHER', u'Holland'), ('PUBLISHER', u'Series'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Applied'), ('PUBLISHER', u'Mathematics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mechanics'), ('REFPLAINTEXT', u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North-Holland Series in Applied Mathematics and Mechanics, vol. 22. North-Holland Publishing Co., Amsterdam (2012)'), ('REFSTR', "{u'bibunstructured': u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North-Holland Series in Applied Mathematics and Mechanics, vol. 22. North-Holland Publishing Co., Amsterdam (2012)', u'citationnumber': u'17.', u'@id': u'CR17', u'bibbook': {u'bibauthorname': {u'familyname': u'Miklowitz', u'initials': u'J'}, u'publisherlocation': u'Amsterdam', u'booktitle': u'The Theory of Elastic Waves and Waveguides. North-Holland Series in Applied Mathematics and Mechanics', u'year': u'2012', u'numberinseries': u'22', u'publishername': u'North-Holland Publishing Co.'}}")],
[('AUTHOR_FIRST_NAME', u'I.David'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'application'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'WienerHopf'), ('TITLE', u'technique'), ('TITLE', u'to'), ('TITLE', u'problems'), ('TITLE', u'in'), ('TITLE', u'dynamic'), ('TITLE', u'elasticity'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'36'), ('ISSUE', u'4'), ('YEAR', u'2002'), ('PAGE', u'311'), ('DOI', u'10.1016/S0165-2125(02)00027-6'), ('REFPLAINTEXT', u'Abrahams, I.D.: On the application of the Wiener\u2013Hopf technique to problems in dynamic elasticity. Wave Motion 36(4), 311\u2013333 (2002)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D.: On the application of the Wiener\\u2013Hopf technique to problems in dynamic elasticity. Wave Motion 36(4), 311\\u2013333 (2002)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Abrahams', u'initials': u'I.David'}, u'issueid': u'4', u'journaltitle': u'Wave Motion', u'volumeid': u'36', u'firstpage': u'311', u'lastpage': u'333', u'year': u'2002', u'articletitle': {u'#text': u'On the application of the Wiener\\u2013Hopf technique to problems in dynamic elasticity', u'@language': u'En'}, u'occurrence': [{u'handle': u'1950990', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0165-2125(02)00027-6', u'@type': u'DOI'}]}, u'citationnumber': u'18.', u'@id': u'CR18'}")],
[('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Diffraction'), ('TITLE', u'of'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'75'), ('ISSUE', u'3'), ('YEAR', u'2015'), ('PAGE', u'1171'), ('DOI', u'10.1137/140985093'), ('REFPLAINTEXT', u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite crack. SIAM J. Appl. Math. 75(3), 1171\u20131192 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite crack. SIAM J. Appl. Math. 75(3), 1171\\u20131192 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'3', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'75', u'firstpage': u'1171', u'lastpage': u'1192', u'year': u'2015', u'articletitle': {u'#text': u'Diffraction of waves on square lattice by semi-infinite crack', u'@language': u'En'}, u'occurrence': [{u'handle': u'3355779', u'@type': u'AMSID'}, {u'handle': u'10.1137/140985093', u'@type': u'DOI'}]}, u'citationnumber': u'19.', u'@id': u'CR19'}")],
[('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Near-'), ('TITLE', u'tip'), ('TITLE', u'field'), ('TITLE', u'for'), ('TITLE', u'diffraction'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'crack'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'75'), ('ISSUE', u'4'), ('YEAR', u'2015'), ('PAGE', u'1915'), ('DOI', u'10.1137/15M1010646'), ('REFPLAINTEXT', u'Sharma, B.L.: Near-tip field for diffraction on square lattice by crack. SIAM J. Appl. Math. 75(4), 1915\u20131940 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Near-tip field for diffraction on square lattice by crack. SIAM J. Appl. Math. 75(4), 1915\\u20131940 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'4', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'75', u'firstpage': u'1915', u'lastpage': u'1940', u'year': u'2015', u'articletitle': {u'#text': u'Near-tip field for diffraction on square lattice by crack', u'@language': u'En'}, u'occurrence': [{u'handle': u'3390158', u'@type': u'AMSID'}, {u'handle': u'10.1137/15M1010646', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")],
[('AUTHOR_FIRST_NAME', u'LI'), ('AUTHOR_LAST_NAME', u'Slepyan'), ('YEAR', u'2002'), ('PUBLISHER', u'Models'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Phenomena'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Fracture'), ('PUBLISHER', u'Mechanics'), ('REFPLAINTEXT', u'Slepyan, L.I.: Models and Phenomena in Fracture Mechanics. Springer, Berlin (2002)'), ('REFSTR', "{u'bibunstructured': u'Slepyan, L.I.: Models and Phenomena in Fracture Mechanics. Springer, Berlin (2002)', u'citationnumber': u'21.', u'@id': u'CR21', u'bibbook': {u'bibauthorname': {u'familyname': u'Slepyan', u'initials': u'LI'}, u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/978-3-540-48010-5', u'@type': u'DOI'}, u'booktitle': u'Models and Phenomena in Fracture Mechanics', u'year': u'2002', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Rottbrand'), ('TITLE', u'Elastodynamical'), ('TITLE', u'scattering'), ('TITLE', u'by'), ('TITLE', u'N'), ('TITLE', u'parallel'), ('TITLE', u'half-'), ('TITLE', u'planes'), ('TITLE', u'in'), ('TITLE', u'{'), ('TITLE', u'R}^3'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Nachrichten'), ('VOLUME', u'177'), ('YEAR', u'1996'), ('PAGE', u'189'), ('DOI', u'10.1002/mana.19961770112'), ('REFPLAINTEXT', u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3. Math. Nachrichten 177, 189\u2013232 (1996)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3. Math. Nachrichten 177, 189\\u2013232 (1996)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Rottbrand', u'initials': u'K'}], u'occurrence': [{u'handle': u'1374950', u'@type': u'AMSID'}, {u'handle': u'10.1002/mana.19961770112', u'@type': u'DOI'}], u'journaltitle': u'Math. Nachrichten', u'volumeid': u'177', u'firstpage': u'189', u'lastpage': u'232', u'year': u'1996', u'articletitle': {u'#text': u'Elastodynamical scattering by N parallel half-planes in { R}^3', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Rottbrand'), ('TITLE', u'Elastodynamical'), ('TITLE', u'scattering'), ('TITLE', u'by'), ('TITLE', u'N'), ('TITLE', u'parallel'), ('TITLE', u'half-'), ('TITLE', u'planes'), ('TITLE', u'in'), ('TITLE', u'{'), ('TITLE', u'R}^3'), ('TITLE', u'II'), ('TITLE', u'Explicit'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'N=2'), ('TITLE', u'by'), ('TITLE', u'explicit'), ('TITLE', u'symbol'), ('TITLE', u'factorization'), ('JOURNAL', u'Integral'), ('JOURNAL', u'Equ.'), ('JOURNAL', u'Oper.'), ('JOURNAL', u'Theory'), ('VOLUME', u'29'), ('ISSUE', u'1'), ('YEAR', u'1997'), ('PAGE', u'70'), ('REFPLAINTEXT', u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3 II Explicit solutions for N=2 by explicit symbol factorization. Integral Equ. Oper. Theory 29(1), 70\u2013109 (1997)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3 II Explicit solutions for N=2 by explicit symbol factorization. Integral Equ. Oper. Theory 29(1), 70\\u2013109 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Rottbrand', u'initials': u'K'}], u'issueid': u'1', u'journaltitle': u'Integral Equ. Oper. Theory', u'volumeid': u'29', u'firstpage': u'70', u'lastpage': u'109', u'year': u'1997', u'articletitle': {u'#text': u'Elastodynamical scattering by N parallel half-planes in { R}^3 II Explicit solutions for N=2 by explicit symbol factorization', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1007/BF01191481', u'@type': u'DOI'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Rottbrand'), ('AUTHOR_FIRST_NAME', u'F-O'), ('AUTHOR_LAST_NAME', u'Speck'), ('TITLE', u'WienerHopf'), ('TITLE', u'equations'), ('TITLE', u'for'), ('TITLE', u'waves'), ('TITLE', u'scattered'), ('TITLE', u'by'), ('TITLE', u'a'), ('TITLE', u'system'), ('TITLE', u'of'), ('TITLE', u'parallel'), ('TITLE', u'Sommerfeld'), ('TITLE', u'half-'), ('TITLE', u'planes'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Methods'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'14'), ('ISSUE', u'8'), ('YEAR', u'1991'), ('PAGE', u'525'), ('DOI', u'10.1002/mma.1670140802'), ('REFPLAINTEXT', u'Meister, E., Rottbrand, K., Speck, F.-O.: Wiener\u2013Hopf equations for waves scattered by a system of parallel Sommerfeld half-planes. Math. Methods Appl. Sci. 14(8), 525\u2013552 (1991)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Rottbrand, K., Speck, F.-O.: Wiener\\u2013Hopf equations for waves scattered by a system of parallel Sommerfeld half-planes. Math. Methods Appl. Sci. 14(8), 525\\u2013552 (1991)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Rottbrand', u'initials': u'K'}, {u'familyname': u'Speck', u'initials': u'F-O'}], u'issueid': u'8', u'journaltitle': u'Math. Methods Appl. Sci.', u'volumeid': u'14', u'firstpage': u'525', u'lastpage': u'552', u'year': u'1991', u'articletitle': {u'#text': u'Wiener\\u2013Hopf equations for waves scattered by a system of parallel Sommerfeld half-planes', u'@language': u'En'}, u'occurrence': [{u'handle': u'1129187', u'@type': u'AMSID'}, {u'handle': u'10.1002/mma.1670140802', u'@type': u'DOI'}]}, u'citationnumber': u'24.', u'@id': u'CR24'}")],
[('AUTHOR_FIRST_NAME', u'EI'), ('AUTHOR_LAST_NAME', u'Jury'), ('YEAR', u'1964'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Application'), ('PUBLISHER', u'of'), ('PUBLISHER', u'the'), ('PUBLISHER', u'z-'), ('PUBLISHER', u'Transform'), ('PUBLISHER', u'Method'), ('REFPLAINTEXT', u'Jury, E.I.: Theory and Application of the z-Transform Method. Wiley, New York (1964)'), ('REFSTR', "{u'bibunstructured': u'Jury, E.I.: Theory and Application of the z-Transform Method. Wiley, New York (1964)', u'citationnumber': u'25.', u'@id': u'CR25', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Jury', u'initials': u'EI'}, u'publishername': u'Wiley', u'booktitle': u'Theory and Application of the z-Transform Method', u'year': u'1964'}}")],
[('AUTHOR_FIRST_NAME', u'VG'), ('AUTHOR_LAST_NAME', u'Daniele'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'solution'), ('TITLE', u'of'), ('TITLE', u'two'), ('TITLE', u'coupled'), ('TITLE', u'WienerHopf'), ('TITLE', u'equations'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'44'), ('ISSUE', u'4'), ('YEAR', u'1984'), ('PAGE', u'667'), ('DOI', u'10.1137/0144048'), ('REFPLAINTEXT', u'Daniele, V.G.: On the solution of two coupled Wiener\u2013Hopf equations. SIAM J. Appl. Math. 44(4), 667\u2013680 (1984)'), ('REFSTR', "{u'bibunstructured': u'Daniele, V.G.: On the solution of two coupled Wiener\\u2013Hopf equations. SIAM J. Appl. Math. 44(4), 667\\u2013680 (1984)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Daniele', u'initials': u'VG'}, u'issueid': u'4', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'44', u'firstpage': u'667', u'lastpage': u'680', u'year': u'1984', u'articletitle': {u'#text': u'On the solution of two coupled Wiener\\u2013Hopf equations', u'@language': u'En'}, u'occurrence': [{u'handle': u'750942', u'@type': u'AMSID'}, {u'handle': u'10.1137/0144048', u'@type': u'DOI'}]}, u'citationnumber': u'26.', u'@id': u'CR26'}")],
[('REFPLAINTEXT', u'Maurya, G.: On some problems involving multiple scattering due to edges, PhD Dissertation, Indian Institute of Technology Kanpur (2018)'), ('REFSTR', "{u'bibunstructured': u'Maurya, G.: On some problems involving multiple scattering due to edges, PhD Dissertation, Indian Institute of Technology Kanpur (2018)', u'citationnumber': u'27.', u'@id': u'CR27'}")],
[('REFPLAINTEXT', u'Sharma, B.L., Maurya, G.: Discrete scattering by a pair of parallel defects. Philos. Trans. R. Soc. A: Math. Phys. Eng. Sci. (2019).'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Sharma, B.L., Maurya, G.: Discrete scattering by a pair of parallel defects. Philos. Trans. R. Soc. A: Math. Phys. Eng. Sci. (2019).', u'externalref': {u'refsource': u'https://doi.org/10.1098/rsta.2019.0102', u'reftarget': {u'@address': u'10.1098/rsta.2019.0102', u'@targettype': u'DOI'}}}, u'citationnumber': u'28.', u'@id': u'CR28'}")],
[('AUTHOR_FIRST_NAME', u'AE'), ('AUTHOR_LAST_NAME', u'Heins'), ('TITLE', u'The'), ('TITLE', u'radiation'), ('TITLE', u'and'), ('TITLE', u'transmission'), ('TITLE', u'properties'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'pair'), ('TITLE', u'of'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'plates.'), ('TITLE', u'I'), ('JOURNAL', u'Q.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'6'), ('YEAR', u'1948'), ('PAGE', u'157'), ('DOI', u'10.1090/qam/25981'), ('REFPLAINTEXT', u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. I. Q. Appl. Math. 6, 157\u2013166 (1948)'), ('REFSTR', "{u'bibunstructured': u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. I. Q. Appl. Math. 6, 157\\u2013166 (1948)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Heins', u'initials': u'AE'}, u'occurrence': [{u'handle': u'25981', u'@type': u'AMSID'}, {u'handle': u'10.1090/qam/25981', u'@type': u'DOI'}], u'journaltitle': u'Q. Appl. Math.', u'volumeid': u'6', u'firstpage': u'157', u'lastpage': u'166', u'year': u'1948', u'articletitle': {u'#text': u'The radiation and transmission properties of a pair of semi-infinite parallel plates. I', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")],
[('AUTHOR_FIRST_NAME', u'AE'), ('AUTHOR_LAST_NAME', u'Heins'), ('TITLE', u'The'), ('TITLE', u'radiation'), ('TITLE', u'and'), ('TITLE', u'transmission'), ('TITLE', u'properties'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'pair'), ('TITLE', u'of'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'plates.'), ('TITLE', u'II'), ('JOURNAL', u'Q.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'6'), ('YEAR', u'1948'), ('PAGE', u'215'), ('REFPLAINTEXT', u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. II. Q. Appl. Math. 6, 215\u2013220 (1948)'), ('REFSTR', "{u'bibunstructured': u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. II. Q. Appl. Math. 6, 215\\u2013220 (1948)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Heins', u'initials': u'AE'}, u'occurrence': {u'handle': u'10.1090/qam/26922', u'@type': u'DOI'}, u'journaltitle': u'Q. Appl. Math.', u'volumeid': u'6', u'firstpage': u'215', u'lastpage': u'220', u'year': u'1948', u'articletitle': {u'#text': u'The radiation and transmission properties of a pair of semi-infinite parallel plates. II', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")],
[('AUTHOR_FIRST_NAME', u'MJ'), ('AUTHOR_LAST_NAME', u'Ablowitz'), ('AUTHOR_FIRST_NAME', u'AS'), ('AUTHOR_LAST_NAME', u'Fokas'), ('YEAR', u'2003'), ('PUBLISHER', u'Complex'), ('PUBLISHER', u'Variables:'), ('PUBLISHER', u'Introduction'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications.'), ('PUBLISHER', u'Cambridge'), ('PUBLISHER', u'Texts'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Applied'), ('PUBLISHER', u'Mathematics'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'Ablowitz, M.J., Fokas, A.S.: Complex Variables: Introduction and Applications. Cambridge Texts in Applied Mathematics, 2nd edn. Cambridge University Press, Cambridge (2003)'), ('REFSTR', "{u'bibunstructured': u'Ablowitz, M.J., Fokas, A.S.: Complex Variables: Introduction and Applications. Cambridge Texts in Applied Mathematics, 2nd edn. Cambridge University Press, Cambridge (2003)', u'citationnumber': u'31.', u'@id': u'CR31', u'bibbook': {u'bibauthorname': [{u'familyname': u'Ablowitz', u'initials': u'MJ'}, {u'familyname': u'Fokas', u'initials': u'AS'}], u'publisherlocation': u'Cambridge', u'occurrence': {u'handle': u'10.1017/CBO9780511791246', u'@type': u'DOI'}, u'booktitle': u'Complex Variables: Introduction and Applications. Cambridge Texts in Applied Mathematics', u'year': u'2003', u'editionnumber': u'2', u'publishername': u'Cambridge University Press'}}")],
[('AUTHOR_FIRST_NAME', u'LB'), ('AUTHOR_LAST_NAME', u'Felsen'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Marcuvitz'), ('YEAR', u'1973'), ('PUBLISHER', u'Radiation'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Scattering'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Waves.'), ('PUBLISHER', u'Microwaves'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Fields'), ('PUBLISHER', u'Series'), ('REFPLAINTEXT', u'Felsen, L.B., Marcuvitz, N.: Radiation and Scattering of Waves. Microwaves and Fields Series. Prentice-Hall, Inc., Englewood Cliffs (1973)'), ('REFSTR', "{u'bibunstructured': u'Felsen, L.B., Marcuvitz, N.: Radiation and Scattering of Waves. Microwaves and Fields Series. Prentice-Hall, Inc., Englewood Cliffs (1973)', u'citationnumber': u'32.', u'@id': u'CR32', u'bibbook': {u'publisherlocation': u'Englewood Cliffs', u'bibauthorname': [{u'familyname': u'Felsen', u'initials': u'LB'}, {u'familyname': u'Marcuvitz', u'initials': u'N'}], u'publishername': u'Prentice-Hall, Inc.', u'booktitle': u'Radiation and Scattering of Waves. Microwaves and Fields Series', u'year': u'1973'}}")],
[('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Continuum'), ('TITLE', u'limit'), ('TITLE', u'of'), ('TITLE', u'discrete'), ('TITLE', u'Sommerfeld'), ('TITLE', u'problems'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('JOURNAL', u'S&amacrdhan&amacr'), ('VOLUME', u'42'), ('ISSUE', u'5'), ('YEAR', u'2007'), ('PAGE', u'713'), ('REFPLAINTEXT', u'Sharma, B.L.: Continuum limit of discrete Sommerfeld problems on square lattice. S&amacrdhan&amacr 42(5), 713\u2013728 (2007)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Continuum limit of discrete Sommerfeld problems on square lattice. S&amacrdhan&amacr 42(5), 713\\u2013728 (2007)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'5', u'journaltitle': u'S&amacrdhan&amacr', u'volumeid': u'42', u'firstpage': u'713', u'lastpage': u'728', u'year': u'2007', u'articletitle': {u'#text': u'Continuum limit of discrete Sommerfeld problems on square lattice', u'@language': u'En'}, u'occurrence': [{u'handle': u'3659067', u'@type': u'AMSID'}, {u'handle': u'1381.35169', u'@type': u'ZLBID'}]}, u'citationnumber': u'33.', u'@id': u'CR33'}")],
[('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Brillouin'), ('YEAR', u'1946'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Propagation'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Periodic'), ('PUBLISHER', u'Structures'), ('REFPLAINTEXT', u'Brillouin, L.: Wave Propagation in Periodic Structures. Electric Filters and Crystal Lattices. McGraw-Hill Book Company Inc., New York (1946)'), ('REFSTR', "{u'bibunstructured': u'Brillouin, L.: Wave Propagation in Periodic Structures. Electric Filters and Crystal Lattices. McGraw-Hill Book Company Inc., New York (1946)', u'citationnumber': u'34.', u'@id': u'CR34', u'bibbook': {u'bibauthorname': {u'familyname': u'Brillouin', u'initials': u'L'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0063.00607', u'@type': u'ZLBID'}, u'booktitle': u'Wave Propagation in Periodic Structures', u'year': u'1946', u'publishername': u'Electric Filters and Crystal Lattices. McGraw-Hill Book Company Inc.'}}")],
[('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Near-'), ('TITLE', u'tip'), ('TITLE', u'field'), ('TITLE', u'for'), ('TITLE', u'diffraction'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'rigid'), ('TITLE', u'constraint'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('ISSUE', u'5'), ('YEAR', u'2015'), ('PAGE', u'2719'), ('DOI', u'10.1007/s00033-015-0508-z'), ('REFPLAINTEXT', u'Sharma, B.L.: Near-tip field for diffraction on square lattice by rigid constraint. Z. Angew. Math. Phys. 66(5), 2719\u20132740 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Near-tip field for diffraction on square lattice by rigid constraint. Z. Angew. Math. Phys. 66(5), 2719\\u20132740 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'5', u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'2719', u'lastpage': u'2740', u'year': u'2015', u'articletitle': {u'#text': u'Near-tip field for diffraction on square lattice by rigid constraint', u'@language': u'En'}, u'occurrence': [{u'handle': u'3412320', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-015-0508-z', u'@type': u'DOI'}]}, u'citationnumber': u'35.', u'@id': u'CR35'}")],
[('AUTHOR_FIRST_NAME', u'CJ'), ('AUTHOR_LAST_NAME', u'Bouwkamp'), ('TITLE', u'Diffraction'), ('TITLE', u'theory'), ('JOURNAL', u'Rep.'), ('JOURNAL', u'Prog.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'17'), ('YEAR', u'1954'), ('PAGE', u'35'), ('DOI', u'10.1088/0034-4885/17/1/302'), ('REFPLAINTEXT', u'Bouwkamp, C.J.: Diffraction theory. Rep. Prog. Phys. 17, 35\u2013100 (1954)'), ('REFSTR', "{u'bibunstructured': u'Bouwkamp, C.J.: Diffraction theory. Rep. Prog. Phys. 17, 35\\u2013100 (1954)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Bouwkamp', u'initials': u'CJ'}, u'occurrence': [{u'handle': u'63923', u'@type': u'AMSID'}, {u'handle': u'10.1088/0034-4885/17/1/302', u'@type': u'DOI'}], u'journaltitle': u'Rep. Prog. Phys.', u'volumeid': u'17', u'firstpage': u'35', u'lastpage': u'100', u'year': u'1954', u'articletitle': {u'#text': u'Diffraction theory', u'@language': u'En'}}, u'citationnumber': u'36.', u'@id': u'CR36'}")],
[('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Diffraction'), ('TITLE', u'of'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'rigid'), ('TITLE', u'constraint'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'59'), ('YEAR', u'2015'), ('PAGE', u'52'), ('DOI', u'10.1016/j.wavemoti.2015.07.008'), ('REFPLAINTEXT', u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite rigid constraint. Wave Motion 59, 52\u201368 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite rigid constraint. Wave Motion 59, 52\\u201368 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'occurrence': [{u'handle': u'3411196', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.wavemoti.2015.07.008', u'@type': u'DOI'}], u'journaltitle': u'Wave Motion', u'volumeid': u'59', u'firstpage': u'52', u'lastpage': u'68', u'year': u'2015', u'articletitle': {u'#text': u'Diffraction of waves on square lattice by semi-infinite rigid constraint', u'@language': u'En'}}, u'citationnumber': u'37.', u'@id': u'CR37'}")],
[('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Levy'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Lessman'), ('YEAR', u'1993'), ('PUBLISHER', u'Finite'), ('PUBLISHER', u'Difference'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Levy, H., Lessman, F.: Finite Difference Equations. Dover Publications Inc, New York (1993). Reprint of the 1961 edition'), ('REFSTR', "{u'bibunstructured': u'Levy, H., Lessman, F.: Finite Difference Equations. Dover Publications Inc, New York (1993). Reprint of the 1961 edition', u'citationnumber': u'38.', u'@id': u'CR38', u'bibbook': {u'bibauthorname': [{u'familyname': u'Levy', u'initials': u'H'}, {u'familyname': u'Lessman', u'initials': u'F'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0092.07702', u'@type': u'ZLBID'}, u'booktitle': u'Finite Difference Equations', u'bibcomments': u'Reprint of the 1961 edition', u'year': u'1993', u'publishername': u'Dover Publications Inc'}}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Elaydi'), ('YEAR', u'2005'), ('PUBLISHER', u'An'), ('PUBLISHER', u'Introduction'), ('PUBLISHER', u'to'), ('PUBLISHER', u'Difference'), ('PUBLISHER', u'Equations'), ('VOLUME', u'3'), ('REFPLAINTEXT', u'Elaydi, S.: An Introduction to Difference Equations, 3rd edn. Springer, New York (2005)'), ('REFSTR', "{u'bibunstructured': u'Elaydi, S.: An Introduction to Difference Equations, 3rd edn. Springer, New York (2005)', u'citationnumber': u'39.', u'@id': u'CR39', u'bibbook': {u'bibauthorname': {u'familyname': u'Elaydi', u'initials': u'S'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'1071.39001', u'@type': u'ZLBID'}, u'booktitle': u'An Introduction to Difference Equations', u'year': u'2005', u'editionnumber': u'3', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Bttcher'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Silbermann'), ('YEAR', u'2006'), ('PUBLISHER', u'Analysis'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Toeplitz'), ('PUBLISHER', u'Operators'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'B\xf6ttcher, A., Silbermann, B.: Analysis of Toeplitz Operators, 2nd edn. Springer, Berlin (2006)'), ('REFSTR', "{u'bibunstructured': u'B\\xf6ttcher, A., Silbermann, B.: Analysis of Toeplitz Operators, 2nd edn. Springer, Berlin (2006)', u'citationnumber': u'40.', u'@id': u'CR40', u'bibbook': {u'bibauthorname': [{u'familyname': u'B\\xf6ttcher', u'initials': u'A'}, {u'familyname': u'Silbermann', u'initials': u'B'}], u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'1098.47002', u'@type': u'ZLBID'}, u'booktitle': u'Analysis of Toeplitz Operators', u'year': u'2006', u'editionnumber': u'2', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'LC'), ('AUTHOR_LAST_NAME', u'Evans'), ('YEAR', u'2010'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations.'), ('PUBLISHER', u'Graduate'), ('PUBLISHER', u'Studies'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Mathematics'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'Evans, L.C.: Partial Differential Equations. Graduate Studies in Mathematics, vol. 19, 2nd edn. American Mathematical Society, Providence (2010)'), ('REFSTR', "{u'bibunstructured': u'Evans, L.C.: Partial Differential Equations. Graduate Studies in Mathematics, vol. 19, 2nd edn. American Mathematical Society, Providence (2010)', u'citationnumber': u'41.', u'@id': u'CR41', u'bibbook': {u'bibauthorname': {u'familyname': u'Evans', u'initials': u'LC'}, u'publishername': u'American Mathematical Society', u'booktitle': u'Partial Differential Equations. Graduate Studies in Mathematics', u'year': u'2010', u'numberinseries': u'19', u'editionnumber': u'2', u'publisherlocation': u'Providence'}}")],
[('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Gilbarg'), ('AUTHOR_FIRST_NAME', u'NS'), ('AUTHOR_LAST_NAME', u'Trudinger'), ('YEAR', u'1983'), ('PUBLISHER', u'Elliptic'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Second'), ('PUBLISHER', u'Order'), ('PUBLISHER', u'Classics'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Mathematics'), ('REFPLAINTEXT', u'Gilbarg, D., Trudinger, N.S.: Elliptic Partial Differential Equations of Second Order Classics in Mathematics. Springer, Berlin (1983). Reprint of the 1998 edition'), ('REFSTR', "{u'bibunstructured': u'Gilbarg, D., Trudinger, N.S.: Elliptic Partial Differential Equations of Second Order Classics in Mathematics. Springer, Berlin (1983). Reprint of the 1998 edition', u'citationnumber': u'42.', u'@id': u'CR42', u'bibbook': {u'bibauthorname': [{u'familyname': u'Gilbarg', u'initials': u'D'}, {u'familyname': u'Trudinger', u'initials': u'NS'}], u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/978-3-642-61798-0', u'@type': u'DOI'}, u'booktitle': u'Elliptic Partial Differential Equations of Second Order Classics in Mathematics', u'bibcomments': u'Reprint of the 1998 edition', u'year': u'1983', u'publishername': u'Springer'}}")],
[('YEAR', u'1986'), ('PUBLISHER', u'Constructive'), ('PUBLISHER', u'Methods'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Wiener\u2013Hopf'), ('PUBLISHER', u'Factorization.'), ('PUBLISHER', u'Operator'), ('PUBLISHER', u'Theory:'), ('PUBLISHER', u'Advances'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Gohberg, I., Kaashoek, M.A. (eds.): Constructive Methods of Wiener\u2013Hopf Factorization. Operator Theory: Advances and Applications, vol. 21. Birkh\xe4user Verlag, Basel (1986)'), ('REFSTR', "{u'bibunstructured': u'Gohberg, I., Kaashoek, M.A. (eds.): Constructive Methods of Wiener\\u2013Hopf Factorization. Operator Theory: Advances and Applications, vol. 21. Birkh\\xe4user Verlag, Basel (1986)', u'citationnumber': u'43.', u'@id': u'CR43', u'bibbook': {u'eds': {u'publisherlocation': u'Basel', u'booktitle': u'Constructive Methods of Wiener\\u2013Hopf Factorization. Operator Theory: Advances and Applications', u'numberinseries': u'21', u'publishername': u'Birkh\\xe4user Verlag', u'year': u'1986'}, u'bibeditorname': [{u'familyname': u'Gohberg', u'initials': u'I'}, {u'familyname': u'Kaashoek', u'initials': u'MA'}]}}")],
[('REFPLAINTEXT', u'Gakhov, F.D.: Boundary Value Problems. Dover Publications, Inc., New York. Translated from the Russian, Reprint of the 1966 translation'), ('REFSTR', "{u'bibunstructured': u'Gakhov, F.D.: Boundary Value Problems. Dover Publications, Inc., New York. Translated from the Russian, Reprint of the 1966 translation', u'citationnumber': u'44.', u'@id': u'CR44'}")],
[('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Mitra'), ('AUTHOR_FIRST_NAME', u'SW'), ('AUTHOR_LAST_NAME', u'Lee'), ('YEAR', u'1971'), ('PUBLISHER', u'Analytical'), ('PUBLISHER', u'Techniques'), ('PUBLISHER', u'in'), ('PUBLISHER', u'the'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Guided'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Mitra, R., Lee, S.W.: Analytical Techniques in the Theory of Guided Waves. Macmillan, New York (1971)'), ('REFSTR', "{u'bibunstructured': u'Mitra, R., Lee, S.W.: Analytical Techniques in the Theory of Guided Waves. Macmillan, New York (1971)', u'citationnumber': u'45.', u'@id': u'CR45', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': [{u'familyname': u'Mitra', u'initials': u'R'}, {u'familyname': u'Lee', u'initials': u'SW'}], u'publishername': u'Macmillan', u'booktitle': u'Analytical Techniques in the Theory of Guided Waves', u'year': u'1971'}}")],
[('AUTHOR_FIRST_NAME', u'JG'), ('AUTHOR_LAST_NAME', u'Harris'), ('YEAR', u'2001'), ('PUBLISHER', u'Linear'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Harris, J.G.: Linear Elastic Waves, vol. 26. Cambridge University Press, Cambridge (2001)'), ('REFSTR', "{u'bibunstructured': u'Harris, J.G.: Linear Elastic Waves, vol. 26. Cambridge University Press, Cambridge (2001)', u'citationnumber': u'46.', u'@id': u'CR46', u'bibbook': {u'bibauthorname': {u'familyname': u'Harris', u'initials': u'JG'}, u'publisherlocation': u'Cambridge', u'occurrence': {u'handle': u'10.1017/CBO9780511755415', u'@type': u'DOI'}, u'booktitle': u'Linear Elastic Waves', u'year': u'2001', u'numberinseries': u'26', u'publishername': u'Cambridge University Press'}}")],
[('REFPLAINTEXT', u'Collatz, L.: The Numerical Treatment of Differential Equations, 3d edn. Translated from a supplemented version of the 2d German edition by P. G. Williams. Die Grundlehren der mathematischen Wissenschaften, Bd. 60. Springer, Berlin-G\xf6ttingen-Heidelberg'), ('REFSTR', "{u'bibunstructured': u'Collatz, L.: The Numerical Treatment of Differential Equations, 3d edn. Translated from a supplemented version of the 2d German edition by P. G. Williams. Die Grundlehren der mathematischen Wissenschaften, Bd. 60. Springer, Berlin-G\\xf6ttingen-Heidelberg', u'citationnumber': u'47.', u'@id': u'CR47'}")],
[('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Mason'), ('AUTHOR_FIRST_NAME', u'DC'), ('AUTHOR_LAST_NAME', u'Handscomb'), ('YEAR', u'2002'), ('PUBLISHER', u'Chebyshev'), ('PUBLISHER', u'Polynomials'), ('REFPLAINTEXT', u'Mason, J.C., Handscomb, D.C.: Chebyshev Polynomials. Chapman & Hall, Boca Raton (2002)'), ('REFSTR', "{u'bibunstructured': u'Mason, J.C., Handscomb, D.C.: Chebyshev Polynomials. Chapman & Hall, Boca Raton (2002)', u'citationnumber': u'48.', u'@id': u'CR48', u'bibbook': {u'bibauthorname': [{u'familyname': u'Mason', u'initials': u'JC'}, {u'familyname': u'Handscomb', u'initials': u'DC'}], u'publisherlocation': u'Boca Raton', u'occurrence': {u'handle': u'10.1201/9781420036114', u'@type': u'DOI'}, u'booktitle': u'Chebyshev Polynomials', u'year': u'2002', u'publishername': u'Chapman & Hall'}}")],
[('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'On'), ('TITLE', u'linear'), ('TITLE', u'waveguides'), ('TITLE', u'of'), ('TITLE', u'square'), ('TITLE', u'and'), ('TITLE', u'triangular'), ('TITLE', u'lattice'), ('TITLE', u'strips:'), ('TITLE', u'an'), ('TITLE', u'application'), ('TITLE', u'of'), ('TITLE', u'Chebyshev'), ('TITLE', u'polynomials'), ('JOURNAL', u'S&amacrdhan&amacr'), ('VOLUME', u'42'), ('ISSUE', u'6'), ('YEAR', u'2017'), ('PAGE', u'901'), ('REFPLAINTEXT', u'Sharma, B.L.: On linear waveguides of square and triangular lattice strips: an application of Chebyshev polynomials. S&amacrdhan&amacr 42(6), 901\u2013927 (2017)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: On linear waveguides of square and triangular lattice strips: an application of Chebyshev polynomials. S&amacrdhan&amacr 42(6), 901\\u2013927 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'6', u'journaltitle': u'S&amacrdhan&amacr', u'volumeid': u'42', u'firstpage': u'901', u'lastpage': u'927', u'year': u'2017', u'articletitle': {u'#text': u'On linear waveguides of square and triangular lattice strips: an application of Chebyshev polynomials', u'@language': u'En'}, u'occurrence': [{u'handle': u'3670951', u'@type': u'AMSID'}, {u'handle': u'1390.78026', u'@type': u'ZLBID'}]}, u'citationnumber': u'49.', u'@id': u'CR49'}")],
[('YEAR', u'1974'), ('PUBLISHER', u'Handbook'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Functions'), ('PUBLISHER', u'with'), ('PUBLISHER', u'Formulas,'), ('PUBLISHER', u'Graphs,'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Tables'), ('REFPLAINTEXT', u'Abramowitz, M., Stegun, I.A. (eds.): Handbook of Mathematical Functions with Formulas, Graphs, and Mathematical Tables. Dover, New York (1974)'), ('REFSTR', "{u'bibunstructured': u'Abramowitz, M., Stegun, I.A. (eds.): Handbook of Mathematical Functions with Formulas, Graphs, and Mathematical Tables. Dover, New York (1974)', u'citationnumber': u'50.', u'@id': u'CR50', u'bibbook': {u'eds': {u'publisherlocation': u'New York', u'booktitle': u'Handbook of Mathematical Functions with Formulas, Graphs, and Mathematical Tables', u'publishername': u'Dover', u'occurrence': {u'handle': u'0171.38503', u'@type': u'ZLBID'}, u'year': u'1974'}, u'bibeditorname': [{u'familyname': u'Abramowitz', u'initials': u'M'}, {u'familyname': u'Stegun', u'initials': u'IA'}]}}")],
[('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Wave'), ('TITLE', u'propagation'), ('TITLE', u'in'), ('TITLE', u'bifurcated'), ('TITLE', u'waveguides'), ('TITLE', u'of'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'strips'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'76'), ('ISSUE', u'4'), ('YEAR', u'2016'), ('PAGE', u'1355'), ('DOI', u'10.1137/15M1051464'), ('REFPLAINTEXT', u'Sharma, B.L.: Wave propagation in bifurcated waveguides of square lattice strips. SIAM J. Appl. Math. 76(4), 1355\u20131381 (2016)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Wave propagation in bifurcated waveguides of square lattice strips. SIAM J. Appl. Math. 76(4), 1355\\u20131381 (2016)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'4', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'76', u'firstpage': u'1355', u'lastpage': u'1381', u'year': u'2016', u'articletitle': {u'#text': u'Wave propagation in bifurcated waveguides of square lattice strips', u'@language': u'En'}, u'occurrence': [{u'handle': u'3527694', u'@type': u'AMSID'}, {u'handle': u'10.1137/15M1051464', u'@type': u'DOI'}]}, u'citationnumber': u'51.', u'@id': u'CR51'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Acheritogaray'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Degond'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Frouvelle'), ('AUTHOR_FIRST_NAME', u'JG'), ('AUTHOR_LAST_NAME', u'Liu'), ('TITLE', u'Kinetic'), ('TITLE', u'formulation'), ('TITLE', u'and'), ('TITLE', u'global'), ('TITLE', u'existence'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'Magneto-'), ('TITLE', u'hydrodynamics'), ('TITLE', u'system'), ('JOURNAL', u'Kinet.'), ('JOURNAL', u'Relat.'), ('JOURNAL', u'Models'), ('VOLUME', u'4'), ('YEAR', u'2011'), ('PAGE', u'901'), ('DOI', u'10.3934/krm.2011.4.901'), ('REFPLAINTEXT', u'Acheritogaray, M., Degond, P., Frouvelle, A., Liu, J.G.: Kinetic formulation and global existence for the Hall-Magneto-hydrodynamics system. Kinet. Relat. Models 4, 901\u2013918 (2011)'), ('REFSTR', "{u'bibunstructured': u'Acheritogaray, M., Degond, P., Frouvelle, A., Liu, J.G.: Kinetic formulation and global existence for the Hall-Magneto-hydrodynamics system. Kinet. Relat. Models 4, 901\\u2013918 (2011)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Acheritogaray', u'initials': u'M'}, {u'familyname': u'Degond', u'initials': u'P'}, {u'familyname': u'Frouvelle', u'initials': u'A'}, {u'familyname': u'Liu', u'initials': u'JG'}], u'occurrence': [{u'handle': u'2861579', u'@type': u'AMSID'}, {u'handle': u'10.3934/krm.2011.4.901', u'@type': u'DOI'}], u'journaltitle': u'Kinet. Relat. Models', u'volumeid': u'4', u'firstpage': u'901', u'lastpage': u'918', u'year': u'2011', u'articletitle': {u'#text': u'Kinetic formulation and global existence for the Hall-Magneto-hydrodynamics system', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")],
[('AUTHOR_FIRST_NAME', u'RA'), ('AUTHOR_LAST_NAME', u'Adams'), ('YEAR', u'1975'), ('PUBLISHER', u'Sobolev'), ('PUBLISHER', u'Space'), ('REFPLAINTEXT', u'Adams, R.A.: Sobolev Space. Academic Press, New York (1975)'), ('REFSTR', "{u'bibunstructured': u'Adams, R.A.: Sobolev Space. Academic Press, New York (1975)', u'citationnumber': u'2.', u'@id': u'CR2', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Adams', u'initials': u'RA'}, u'publishername': u'Academic Press', u'booktitle': u'Sobolev Space', u'year': u'1975'}}")],
[('AUTHOR_FIRST_NAME', u'SA'), ('AUTHOR_LAST_NAME', u'Balbus'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Terquem'), ('TITLE', u'Linear'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'Hall'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'protostellar'), ('TITLE', u'disks'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'J.'), ('VOLUME', u'552'), ('YEAR', u'2001'), ('PAGE', u'235'), ('REFPLAINTEXT', u'Balbus, S.A., Terquem, C.: Linear analysis of the Hall effect in protostellar disks. Astrophys. J. 552, 235\u2013247 (2001)'), ('REFSTR', "{u'bibunstructured': u'Balbus, S.A., Terquem, C.: Linear analysis of the Hall effect in protostellar disks. Astrophys. J. 552, 235\\u2013247 (2001)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Balbus', u'initials': u'SA'}, {u'familyname': u'Terquem', u'initials': u'C'}], u'occurrence': {u'handle': u'10.1086/320452', u'@type': u'DOI'}, u'journaltitle': u'Astrophys. J.', u'volumeid': u'552', u'firstpage': u'235', u'lastpage': u'247', u'year': u'2001', u'articletitle': {u'#text': u'Linear analysis of the Hall effect in protostellar disks', u'@language': u'En'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")],
[('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Degond'), ('AUTHOR_FIRST_NAME', u'JG'), ('AUTHOR_LAST_NAME', u'Liu'), ('TITLE', u'Well-'), ('TITLE', u'posedness'), ('TITLE', u'for'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Inst.'), ('JOURNAL', u'H.'), ('JOURNAL', u'Poincar'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Non'), ('JOURNAL', u'Lin\xe9aire'), ('VOLUME', u'31'), ('YEAR', u'2014'), ('PAGE', u'555'), ('DOI', u'10.1016/j.anihpc.2013.04.006'), ('REFPLAINTEXT', u'Chae, D.H., Degond, P., Liu, J.G.: Well-posedness for Hall-magnetohydrodynamics. Ann. Inst. H. Poincar Anal. Non Lin\xe9aire 31, 555\u2013565 (2014)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Degond, P., Liu, J.G.: Well-posedness for Hall-magnetohydrodynamics. Ann. Inst. H. Poincar Anal. Non Lin\\xe9aire 31, 555\\u2013565 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Degond', u'initials': u'P'}, {u'familyname': u'Liu', u'initials': u'JG'}], u'occurrence': [{u'handle': u'3208454', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.anihpc.2013.04.006', u'@type': u'DOI'}], u'journaltitle': u'Ann. Inst. H. Poincar Anal. Non Lin\\xe9aire', u'volumeid': u'31', u'firstpage': u'555', u'lastpage': u'565', u'year': u'2014', u'articletitle': {u'#text': u'Well-posedness for Hall-magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'JH'), ('AUTHOR_LAST_NAME', u'Lee'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'blow-'), ('TITLE', u'up'), ('TITLE', u'criterion'), ('TITLE', u'and'), ('TITLE', u'small'), ('TITLE', u'data'), ('TITLE', u'global'), ('TITLE', u'existence'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'256'), ('YEAR', u'2014'), ('PAGE', u'3835'), ('DOI', u'10.1016/j.jde.2014.03.003'), ('REFPLAINTEXT', u'Chae, D.H., Lee, J.H.: On the blow-up criterion and small data global existence for the Hall-magnetohydrodynamics. J. Differ. Equ. 256, 3835\u20133858 (2014)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Lee, J.H.: On the blow-up criterion and small data global existence for the Hall-magnetohydrodynamics. J. Differ. Equ. 256, 3835\\u20133858 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Lee', u'initials': u'JH'}], u'occurrence': [{u'handle': u'3186849', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.jde.2014.03.003', u'@type': u'DOI'}], u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'256', u'firstpage': u'3835', u'lastpage': u'3858', u'year': u'2014', u'articletitle': {u'#text': u'On the blow-up criterion and small data global existence for the Hall-magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")],
[('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Schonbek'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'temporal'), ('TITLE', u'decay'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equatioins'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'255'), ('ISSUE', u'11'), ('YEAR', u'2013'), ('PAGE', u'3971'), ('REFPLAINTEXT', u'Chae, D.H., Schonbek, M.: On the temporal decay for the Hall-magnetohydrodynamic equatioins. J. Differ. Equ. 255(11), 3971\u20133982 (2013)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Schonbek, M.: On the temporal decay for the Hall-magnetohydrodynamic equatioins. J. Differ. Equ. 255(11), 3971\\u20133982 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Schonbek', u'initials': u'M'}], u'issueid': u'11', u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'255', u'firstpage': u'3971', u'lastpage': u'3982', u'year': u'2013', u'articletitle': {u'#text': u'On the temporal decay for the Hall-magnetohydrodynamic equatioins', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1016/j.jde.2013.07.059', u'@type': u'DOI'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")],
[('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'RH'), ('AUTHOR_LAST_NAME', u'Wan'), ('AUTHOR_FIRST_NAME', u'JH'), ('AUTHOR_LAST_NAME', u'Wu'), ('TITLE', u'Local'), ('TITLE', u'well-'), ('TITLE', u'posedness'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'fractional'), ('TITLE', u'magnetic'), ('TITLE', u'diffusion'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Fluid'), ('JOURNAL', u'Mech.'), ('VOLUME', u'17'), ('YEAR', u'2015'), ('PAGE', u'627'), ('DOI', u'10.1007/s00021-015-0222-9'), ('REFPLAINTEXT', u'Chae, D.H., Wan, R.H., Wu, J.H.: Local well-posedness for the Hall-MHD equations with fractional magnetic diffusion. J. Math. Fluid Mech. 17, 627\u2013638 (2015)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Wan, R.H., Wu, J.H.: Local well-posedness for the Hall-MHD equations with fractional magnetic diffusion. J. Math. Fluid Mech. 17, 627\\u2013638 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Wan', u'initials': u'RH'}, {u'familyname': u'Wu', u'initials': u'JH'}], u'occurrence': [{u'handle': u'3412271', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00021-015-0222-9', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Fluid Mech.', u'volumeid': u'17', u'firstpage': u'627', u'lastpage': u'638', u'year': u'2015', u'articletitle': {u'#text': u'Local well-posedness for the Hall-MHD equations with fractional magnetic diffusion', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")],
[('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'SK'), ('AUTHOR_LAST_NAME', u'Weng'), ('TITLE', u'Singularity'), ('TITLE', u'formation'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'incompressible'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('TITLE', u'without'), ('TITLE', u'resistivity'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Inst.'), ('JOURNAL', u'H.'), ('JOURNAL', u'Poincar\xe9'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Non'), ('JOURNAL', u'Lin\xe9aire'), ('VOLUME', u'4'), ('YEAR', u'2016'), ('PAGE', u'1009'), ('DOI', u'10.1016/j.anihpc.2015.03.002'), ('REFPLAINTEXT', u'Chae, D.H., Weng, S.K.: Singularity formation for the incompressible Hall-MHD equations without resistivity. Ann. Inst. H. Poincar\xe9 Anal. Non Lin\xe9aire 4, 1009\u20131022 (2016)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Weng, S.K.: Singularity formation for the incompressible Hall-MHD equations without resistivity. Ann. Inst. H. Poincar\\xe9 Anal. Non Lin\\xe9aire 4, 1009\\u20131022 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Weng', u'initials': u'SK'}], u'occurrence': [{u'handle': u'3519529', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.anihpc.2015.03.002', u'@type': u'DOI'}], u'journaltitle': u'Ann. Inst. H. Poincar\\xe9 Anal. Non Lin\\xe9aire', u'volumeid': u'4', u'firstpage': u'1009', u'lastpage': u'1022', u'year': u'2016', u'articletitle': {u'#text': u'Singularity formation for the incompressible Hall-MHD equations without resistivity', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Wolf'), ('TITLE', u'On'), ('TITLE', u'partial'), ('TITLE', u'regularity'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'3D'), ('TITLE', u'nonstationary'), ('TITLE', u'Hall'), ('TITLE', u'magnetohydrodynamics'), ('TITLE', u'equations'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'plane'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'48'), ('YEAR', u'2016'), ('PAGE', u'443'), ('DOI', u'10.1137/15M1012037'), ('REFPLAINTEXT', u'Chae, D.H., Wolf, J.: On partial regularity for the 3D nonstationary Hall magnetohydrodynamics equations on the plane. SIAM J. Math. Anal. 48, 443\u2013469 (2016)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Wolf, J.: On partial regularity for the 3D nonstationary Hall magnetohydrodynamics equations on the plane. SIAM J. Math. Anal. 48, 443\\u2013469 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Wolf', u'initials': u'J'}], u'occurrence': [{u'handle': u'3455137', u'@type': u'AMSID'}, {u'handle': u'10.1137/15M1012037', u'@type': u'DOI'}], u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'48', u'firstpage': u'443', u'lastpage': u'469', u'year': u'2016', u'articletitle': {u'#text': u'On partial regularity for the 3D nonstationary Hall magnetohydrodynamics equations on the plane', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Crispo'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Maremonti'), ('TITLE', u'An'), ('TITLE', u'interpolation'), ('TITLE', u'inequality'), ('TITLE', u'in'), ('TITLE', u'exterior'), ('TITLE', u'domains'), ('JOURNAL', u'Rend.'), ('JOURNAL', u'Sem.'), ('JOURNAL', u'Mat.'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Padova'), ('VOLUME', u'112'), ('YEAR', u'2004'), ('PAGE', u'11'), ('REFPLAINTEXT', u'Crispo, F., Maremonti, P.: An interpolation inequality in exterior domains. Rend. Sem. Mat. Univ. Padova 112, 11\u201339 (2004)'), ('REFSTR', "{u'bibunstructured': u'Crispo, F., Maremonti, P.: An interpolation inequality in exterior domains. Rend. Sem. Mat. Univ. Padova 112, 11\\u201339 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Crispo', u'initials': u'F'}, {u'familyname': u'Maremonti', u'initials': u'P'}], u'occurrence': [{u'handle': u'2109950', u'@type': u'AMSID'}, {u'handle': u'1105.35150', u'@type': u'ZLBID'}], u'journaltitle': u'Rend. Sem. Mat. Univ. Padova', u'volumeid': u'112', u'firstpage': u'11', u'lastpage': u'39', u'year': u'2004', u'articletitle': {u'#text': u'An interpolation inequality in exterior domains', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")],
[('AUTHOR_FIRST_NAME', u'RJ'), ('AUTHOR_LAST_NAME', u'Duan'), ('AUTHOR_FIRST_NAME', u'HX'), ('AUTHOR_LAST_NAME', u'Liu'), ('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Ukai'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Yang'), ('TITLE', u'Optimal'), ('TITLE', u'L^p-'), ('TITLE', u'L^q'), ('TITLE', u'convergence'), ('TITLE', u'rates'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'NavierStokes'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'potential'), ('TITLE', u'force'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'238'), ('YEAR', u'2007'), ('PAGE', u'220'), ('REFPLAINTEXT', u'Duan, R.J., Liu, H.X., Ukai, S.J., Yang, T.: Optimal L^p-L^q convergence rates for the compressible Navier\u2013Stokes equations with potential force. J. Differ. Equ. 238, 220\u2013233 (2007)'), ('REFSTR', "{u'bibunstructured': u'Duan, R.J., Liu, H.X., Ukai, S.J., Yang, T.: Optimal L^p-L^q convergence rates for the compressible Navier\\u2013Stokes equations with potential force. J. Differ. Equ. 238, 220\\u2013233 (2007)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Duan', u'initials': u'RJ'}, {u'familyname': u'Liu', u'initials': u'HX'}, {u'familyname': u'Ukai', u'initials': u'SJ'}, {u'familyname': u'Yang', u'initials': u'T'}], u'occurrence': {u'handle': u'10.1016/j.jde.2007.03.008', u'@type': u'DOI'}, u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'238', u'firstpage': u'220', u'lastpage': u'233', u'year': u'2007', u'articletitle': {u'#text': u'Optimal L^p-L^q convergence rates for the compressible Navier\\u2013Stokes equations with potential force', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")],
[('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Ahmad'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Hayat'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Zhou'), ('TITLE', u'On'), ('TITLE', u'well-'), ('TITLE', u'posedness'), ('TITLE', u'and'), ('TITLE', u'blow-'), ('TITLE', u'up'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'full'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'system'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'31'), ('YEAR', u'2016'), ('PAGE', u'569'), ('DOI', u'10.1016/j.nonrwa.2016.03.003'), ('REFPLAINTEXT', u'Fan, J.S., Ahmad, B., Hayat, T., Zhou, Y.: On well-posedness and blow-up for the full compressible Hall-MHD system. Nonlinear Anal. Real World Appl. 31, 569\u2013579 (2016)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Ahmad, B., Hayat, T., Zhou, Y.: On well-posedness and blow-up for the full compressible Hall-MHD system. Nonlinear Anal. Real World Appl. 31, 569\\u2013579 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Ahmad', u'initials': u'B'}, {u'familyname': u'Hayat', u'initials': u'T'}, {u'familyname': u'Zhou', u'initials': u'Y'}], u'occurrence': [{u'handle': u'3490858', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2016.03.003', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'31', u'firstpage': u'569', u'lastpage': u'579', u'year': u'2016', u'articletitle': {u'#text': u'On well-posedness and blow-up for the full compressible Hall-MHD system', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")],
[('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Alsaedi'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Hayat'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Zhou'), ('TITLE', u'On'), ('TITLE', u'strong'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'system'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'22'), ('YEAR', u'2015'), ('PAGE', u'423'), ('DOI', u'10.1016/j.nonrwa.2014.10.003'), ('REFPLAINTEXT', u'Fan, J.S., Alsaedi, A., Hayat, T., Nakamura, G., Zhou, Y.: On strong solutions to the compressible Hall-magnetohydrodynamic system. Nonlinear Anal. Real World Appl. 22, 423\u2013434 (2015)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Alsaedi, A., Hayat, T., Nakamura, G., Zhou, Y.: On strong solutions to the compressible Hall-magnetohydrodynamic system. Nonlinear Anal. Real World Appl. 22, 423\\u2013434 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Alsaedi', u'initials': u'A'}, {u'familyname': u'Hayat', u'initials': u'T'}, {u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Zhou', u'initials': u'Y'}], u'occurrence': [{u'handle': u'3280843', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2014.10.003', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'22', u'firstpage': u'423', u'lastpage': u'434', u'year': u'2015', u'articletitle': {u'#text': u'On strong solutions to the compressible Hall-magnetohydrodynamic system', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")],
[('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'XJ'), ('AUTHOR_LAST_NAME', u'Jia'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Zhou'), ('TITLE', u'On'), ('TITLE', u'well-'), ('TITLE', u'posedness'), ('TITLE', u'and'), ('TITLE', u'blow-'), ('TITLE', u'up'), ('TITLE', u'criteria'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'magnetohydrodynamics'), ('TITLE', u'with'), ('TITLE', u'the'), ('TITLE', u'Hall'), ('TITLE', u'and'), ('TITLE', u'ion-'), ('TITLE', u'slip'), ('TITLE', u'effects'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('YEAR', u'2015'), ('PAGE', u'1695'), ('DOI', u'10.1007/s00033-015-0499-9'), ('REFPLAINTEXT', u'Fan, J.S., Jia, X.J., Nakamura, G., Zhou, Y.: On well-posedness and blow-up criteria for the magnetohydrodynamics with the Hall and ion-slip effects. Z. Angew. Math. Phys. 66, 1695\u20131706 (2015)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Jia, X.J., Nakamura, G., Zhou, Y.: On well-posedness and blow-up criteria for the magnetohydrodynamics with the Hall and ion-slip effects. Z. Angew. Math. Phys. 66, 1695\\u20131706 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Jia', u'initials': u'XJ'}, {u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Zhou', u'initials': u'Y'}], u'occurrence': [{u'handle': u'3377709', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-015-0499-9', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'1695', u'lastpage': u'1706', u'year': u'2015', u'articletitle': {u'#text': u'On well-posedness and blow-up criteria for the magnetohydrodynamics with the Hall and ion-slip effects', u'@language': u'En'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")],
[('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'WH'), ('AUTHOR_LAST_NAME', u'Yu'), ('TITLE', u'Strong'), ('TITLE', u'solution'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'vacuum'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'10'), ('YEAR', u'2009'), ('PAGE', u'392'), ('DOI', u'10.1016/j.nonrwa.2007.10.001'), ('REFPLAINTEXT', u'Fan, J.S., Yu, W.H.: Strong solution to the compressible magnetohydrodynamic equations with vacuum. Nonlinear Anal. Real World Appl. 10, 392\u2013409 (2009)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Yu, W.H.: Strong solution to the compressible magnetohydrodynamic equations with vacuum. Nonlinear Anal. Real World Appl. 10, 392\\u2013409 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Yu', u'initials': u'WH'}], u'occurrence': [{u'handle': u'2451719', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2007.10.001', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'10', u'firstpage': u'392', u'lastpage': u'409', u'year': u'2009', u'articletitle': {u'#text': u'Strong solution to the compressible magnetohydrodynamic equations with vacuum', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('AUTHOR_FIRST_NAME', u'TG'), ('AUTHOR_LAST_NAME', u'Forbes'), ('TITLE', u'Magnetic'), ('TITLE', u'reconnection'), ('TITLE', u'in'), ('TITLE', u'solar'), ('TITLE', u'flares'), ('JOURNAL', u'Geophys.'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'Fluid'), ('JOURNAL', u'Dyn.'), ('VOLUME', u'62'), ('YEAR', u'1991'), ('PAGE', u'15'), ('REFPLAINTEXT', u'Forbes, T.G.: Magnetic reconnection in solar flares. Geophys. Astrophys. Fluid Dyn. 62, 15\u201336 (1991)'), ('REFSTR', "{u'bibunstructured': u'Forbes, T.G.: Magnetic reconnection in solar flares. Geophys. Astrophys. Fluid Dyn. 62, 15\\u201336 (1991)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Forbes', u'initials': u'TG'}, u'occurrence': {u'handle': u'10.1080/03091929108229123', u'@type': u'DOI'}, u'journaltitle': u'Geophys. Astrophys. Fluid Dyn.', u'volumeid': u'62', u'firstpage': u'15', u'lastpage': u'36', u'year': u'1991', u'articletitle': {u'#text': u'Magnetic reconnection in solar flares', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Gagliardo'), ('TITLE', u'Ulteriori'), ('TITLE', u'propriet'), ('TITLE', u'di'), ('TITLE', u'alcune'), ('TITLE', u'classi'), ('TITLE', u'di'), ('TITLE', u'funzioni'), ('TITLE', u'in'), ('TITLE', u'pi'), ('TITLE', u'variabili'), ('JOURNAL', u'Ricerche'), ('JOURNAL', u'Mat.'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Napoli'), ('VOLUME', u'8'), ('YEAR', u'1959'), ('PAGE', u'24'), ('REFPLAINTEXT', u'Gagliardo, E.: Ulteriori propriet\xe0 di alcune classi di funzioni in pi\xf9 variabili. Ricerche Mat. Univ. Napoli 8, 24\u201351 (1959)'), ('REFSTR', "{u'bibunstructured': u'Gagliardo, E.: Ulteriori propriet\\xe0 di alcune classi di funzioni in pi\\xf9 variabili. Ricerche Mat. Univ. Napoli 8, 24\\u201351 (1959)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Gagliardo', u'initials': u'E'}, u'occurrence': [{u'handle': u'109295', u'@type': u'AMSID'}, {u'handle': u'0199.44701', u'@type': u'ZLBID'}], u'journaltitle': u'Ricerche Mat. Univ. Napoli', u'volumeid': u'8', u'firstpage': u'24', u'lastpage': u'51', u'year': u'1959', u'articletitle': {u'#text': u'Ulteriori propriet\\xe0 di alcune classi di funzioni in pi\\xf9 variabili', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")],
[('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Gao'), ('AUTHOR_FIRST_NAME', u'ZA'), ('AUTHOR_LAST_NAME', u'Yao'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'optimal'), ('TITLE', u'decay'), ('TITLE', u'rates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('JOURNAL', u'Discrete'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Dyn.'), ('JOURNAL', u'Syst.'), ('VOLUME', u'36'), ('YEAR', u'2016'), ('PAGE', u'3077'), ('REFPLAINTEXT', u'Gao, J.C., Yao, Z.A.: Global existence and optimal decay rates of solutions for compressible Hall-MHD equations. Discrete Contin. Dyn. Syst. 36, 3077\u20133106 (2016)'), ('REFSTR', "{u'bibunstructured': u'Gao, J.C., Yao, Z.A.: Global existence and optimal decay rates of solutions for compressible Hall-MHD equations. Discrete Contin. Dyn. Syst. 36, 3077\\u20133106 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Gao', u'initials': u'JC'}, {u'familyname': u'Yao', u'initials': u'ZA'}], u'occurrence': [{u'handle': u'3485432', u'@type': u'AMSID'}, {u'handle': u'1332.76076', u'@type': u'ZLBID'}], u'journaltitle': u'Discrete Contin. Dyn. Syst.', u'volumeid': u'36', u'firstpage': u'3077', u'lastpage': u'3106', u'year': u'2016', u'articletitle': {u'#text': u'Global existence and optimal decay rates of solutions for compressible Hall-MHD equations', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Hall'), ('TITLE', u'On'), ('TITLE', u'a'), ('TITLE', u'new'), ('TITLE', u'action'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'magnet'), ('TITLE', u'on'), ('TITLE', u'electric'), ('TITLE', u'currents'), ('JOURNAL', u'Am.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('VOLUME', u'2'), ('YEAR', u'1879'), ('PAGE', u'287'), ('DOI', u'10.2307/2369245'), ('REFPLAINTEXT', u'Hall, E.: On a new action of the magnet on electric currents. Am. J. Math. 2, 287\u201392 (1879)'), ('REFSTR', "{u'bibunstructured': u'Hall, E.: On a new action of the magnet on electric currents. Am. J. Math. 2, 287\\u201392 (1879)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Hall', u'initials': u'E'}, u'occurrence': [{u'handle': u'1505227', u'@type': u'AMSID'}, {u'handle': u'10.2307/2369245', u'@type': u'DOI'}], u'journaltitle': u'Am. J. Math.', u'volumeid': u'2', u'firstpage': u'287', u'lastpage': u'92', u'year': u'1879', u'articletitle': {u'#text': u'On a new action of the magnet on electric currents', u'@language': u'En'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")],
[('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Homann'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Grauer'), ('TITLE', u'Bifurcation'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'magnetic'), ('TITLE', u'reconnection'), ('TITLE', u'in'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'systems'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'D'), ('VOLUME', u'208'), ('YEAR', u'2005'), ('PAGE', u'59'), ('DOI', u'10.1016/j.physd.2005.06.003'), ('REFPLAINTEXT', u'Homann, H., Grauer, R.: Bifurcation analysis of magnetic reconnection in Hall-MHD systems. Phys. D 208, 59\u201372 (2005)'), ('REFSTR', "{u'bibunstructured': u'Homann, H., Grauer, R.: Bifurcation analysis of magnetic reconnection in Hall-MHD systems. Phys. D 208, 59\\u201372 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Homann', u'initials': u'H'}, {u'familyname': u'Grauer', u'initials': u'R'}], u'occurrence': [{u'handle': u'2167907', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.physd.2005.06.003', u'@type': u'DOI'}], u'journaltitle': u'Phys. D', u'volumeid': u'208', u'firstpage': u'59', u'lastpage': u'72', u'year': u'2005', u'articletitle': {u'#text': u'Bifurcation analysis of magnetic reconnection in Hall-MHD systems', u'@language': u'En'}}, u'citationnumber': u'20.', u'@id': u'CR20'}")],
[('AUTHOR_FIRST_NAME', u'XP'), ('AUTHOR_LAST_NAME', u'Hu'), ('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'large-'), ('TITLE', u'time'), ('TITLE', u'behavior'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'three-'), ('TITLE', u'dimensional'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'flows'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Ration.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'197'), ('YEAR', u'2010'), ('PAGE', u'203'), ('DOI', u'10.1007/s00205-010-0295-9'), ('REFPLAINTEXT', u'Hu, X.P., Wang, D.H.: Global existence and large-time behavior of solutions to the three-dimensional equations of compressible magnetohydrodynamic flows. Arch. Ration. Mech. Anal. 197, 203\u2013238 (2010)'), ('REFSTR', "{u'bibunstructured': u'Hu, X.P., Wang, D.H.: Global existence and large-time behavior of solutions to the three-dimensional equations of compressible magnetohydrodynamic flows. Arch. Ration. Mech. Anal. 197, 203\\u2013238 (2010)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Hu', u'initials': u'XP'}, {u'familyname': u'Wang', u'initials': u'DH'}], u'occurrence': [{u'handle': u'2646819', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00205-010-0295-9', u'@type': u'DOI'}], u'journaltitle': u'Arch. Ration. Mech. Anal.', u'volumeid': u'197', u'firstpage': u'203', u'lastpage': u'238', u'year': u'2010', u'articletitle': {u'#text': u'Global existence and large-time behavior of solutions to the three-dimensional equations of compressible magnetohydrodynamic flows', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Majda'), ('YEAR', u'1984'), ('PUBLISHER', u'Compressible'), ('PUBLISHER', u'Fluid'), ('PUBLISHER', u'Flow'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Systems'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Conservation'), ('PUBLISHER', u'Laws'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Several'), ('PUBLISHER', u'Space'), ('PUBLISHER', u'Variables'), ('REFPLAINTEXT', u'Majda, A.: Compressible Fluid Flow and Systems of Conservation Laws in Several Space Variables. Springer, New York (1984)'), ('REFSTR', "{u'bibunstructured': u'Majda, A.: Compressible Fluid Flow and Systems of Conservation Laws in Several Space Variables. Springer, New York (1984)', u'citationnumber': u'22.', u'@id': u'CR22', u'bibbook': {u'bibauthorname': {u'familyname': u'Majda', u'initials': u'A'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'10.1007/978-1-4612-1116-7', u'@type': u'DOI'}, u'booktitle': u'Compressible Fluid Flow and Systems of Conservation Laws in Several Space Variables', u'year': u'1984', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'PD'), ('AUTHOR_LAST_NAME', u'Mininni'), ('AUTHOR_FIRST_NAME', u'DO'), ('AUTHOR_LAST_NAME', u'Gmez'), ('AUTHOR_FIRST_NAME', u'SM'), ('AUTHOR_LAST_NAME', u'Mahajan'), ('TITLE', u'Dynamo'), ('TITLE', u'action'), ('TITLE', u'in'), ('TITLE', u'magnetohydrodynamics'), ('TITLE', u'and'), ('TITLE', u'Hall'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'J.'), ('VOLUME', u'587'), ('YEAR', u'2003'), ('PAGE', u'472'), ('REFPLAINTEXT', u'Mininni, P.D., G\xf2mez, D.O., Mahajan, S.M.: Dynamo action in magnetohydrodynamics and Hall magnetohydrodynamics. Astrophys. J. 587, 472\u2013481 (2003)'), ('REFSTR', "{u'bibunstructured': u'Mininni, P.D., G\\xf2mez, D.O., Mahajan, S.M.: Dynamo action in magnetohydrodynamics and Hall magnetohydrodynamics. Astrophys. J. 587, 472\\u2013481 (2003)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mininni', u'initials': u'PD'}, {u'familyname': u'G\\xf2mez', u'initials': u'DO'}, {u'familyname': u'Mahajan', u'initials': u'SM'}], u'occurrence': {u'handle': u'10.1086/368181', u'@type': u'DOI'}, u'journaltitle': u'Astrophys. J.', u'volumeid': u'587', u'firstpage': u'472', u'lastpage': u'481', u'year': u'2003', u'articletitle': {u'#text': u'Dynamo action in magnetohydrodynamics and Hall magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")],
[('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kobayashi'), ('TITLE', u'Some'), ('TITLE', u'estimates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'motion'), ('TITLE', u'of'), ('TITLE', u'compressible'), ('TITLE', u'viscous'), ('TITLE', u'fluid'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'three-'), ('TITLE', u'dimensional'), ('TITLE', u'exterior'), ('TITLE', u'domain'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'184'), ('YEAR', u'2002'), ('PAGE', u'587'), ('DOI', u'10.1006/jdeq.2002.4158'), ('REFPLAINTEXT', u'Kobayashi, T.: Some estimates of solutions for the equations of motion of compressible viscous fluid in the three-dimensional exterior domain. J. Differ. Equ. 184, 587\u2013619 (2002)'), ('REFSTR', "{u'bibunstructured': u'Kobayashi, T.: Some estimates of solutions for the equations of motion of compressible viscous fluid in the three-dimensional exterior domain. J. Differ. Equ. 184, 587\\u2013619 (2002)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Kobayashi', u'initials': u'T'}, u'occurrence': [{u'handle': u'1929890', u'@type': u'AMSID'}, {u'handle': u'10.1006/jdeq.2002.4158', u'@type': u'DOI'}], u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'184', u'firstpage': u'587', u'lastpage': u'619', u'year': u'2002', u'articletitle': {u'#text': u'Some estimates of solutions for the equations of motion of compressible viscous fluid in the three-dimensional exterior domain', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")],
[('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kobayashi'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Shibata'), ('TITLE', u'Decay'), ('TITLE', u'estimates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'motion'), ('TITLE', u'of'), ('TITLE', u'compressible'), ('TITLE', u'viscous'), ('TITLE', u'and'), ('TITLE', u'heat-'), ('TITLE', u'conductive'), ('TITLE', u'gases'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'exterior'), ('TITLE', u'domain'), ('TITLE', u'in'), ('TITLE', u'R'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'251'), ('YEAR', u'2004'), ('PAGE', u'365'), ('REFPLAINTEXT', u'Kobayashi, T., Shibata, Y.: Decay estimates of solutions for the equations of motion of compressible viscous and heat-conductive gases in an exterior domain in R. Commun. Math. Phys. 251, 365\u2013376 (2004)'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Kobayashi, T., Shibata, Y.: Decay estimates of solutions for the equations of motion of compressible viscous and heat-conductive gases in an exterior domain in R. Commun. Math. Phys. 251, 365\\u2013376 (2004)', u'sup': u'3'}, u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kobayashi', u'initials': u'T'}, {u'familyname': u'Shibata', u'initials': u'Y'}], u'occurrence': {u'handle': u'10.1007/s00220-004-1062-2', u'@type': u'DOI'}, u'journaltitle': u'Commun. Math. Phys.', u'volumeid': u'251', u'firstpage': u'365', u'lastpage': u'376', u'year': u'2004', u'articletitle': {u'#text': u'Decay estimates of solutions for the equations of motion of compressible viscous and heat-conductive gases in an exterior domain in R', u'sup': u'3', u'@language': u'En'}}, u'citationnumber': u'25.', u'@id': u'CR25'}")],
[('AUTHOR_FIRST_NAME', u'HL'), ('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'XY'), ('AUTHOR_LAST_NAME', u'Xu'), ('AUTHOR_FIRST_NAME', u'JW'), ('AUTHOR_LAST_NAME', u'Zhang'), ('TITLE', u'Global'), ('TITLE', u'classical'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'3D'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'large'), ('TITLE', u'oscillations'), ('TITLE', u'and'), ('TITLE', u'vaccum'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'45'), ('YEAR', u'2013'), ('PAGE', u'1356'), ('DOI', u'10.1137/120893355'), ('REFPLAINTEXT', u'Li, H.L., Xu, X.Y., Zhang, J.W.: Global classical solutions to 3D compressible magnetohydrodynamic equations with large oscillations and vaccum. SIAM J. Math. Anal. 45, 1356\u20131387 (2013)'), ('REFSTR', "{u'bibunstructured': u'Li, H.L., Xu, X.Y., Zhang, J.W.: Global classical solutions to 3D compressible magnetohydrodynamic equations with large oscillations and vaccum. SIAM J. Math. Anal. 45, 1356\\u20131387 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Li', u'initials': u'HL'}, {u'familyname': u'Xu', u'initials': u'XY'}, {u'familyname': u'Zhang', u'initials': u'JW'}], u'occurrence': [{u'handle': u'3056749', u'@type': u'AMSID'}, {u'handle': u'10.1137/120893355', u'@type': u'DOI'}], u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'45', u'firstpage': u'1356', u'lastpage': u'1387', u'year': u'2013', u'articletitle': {u'#text': u'Global classical solutions to 3D compressible magnetohydrodynamic equations with large oscillations and vaccum', u'@language': u'En'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")],
[('AUTHOR_FIRST_NAME', u'BQ'), ('AUTHOR_LAST_NAME', u'Lv'), ('AUTHOR_FIRST_NAME', u'XD'), ('AUTHOR_LAST_NAME', u'Shi'), ('AUTHOR_FIRST_NAME', u'XY'), ('AUTHOR_LAST_NAME', u'Xu'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'large-'), ('TITLE', u'time'), ('TITLE', u'asymptotic'), ('TITLE', u'behavior'), ('TITLE', u'of'), ('TITLE', u'strong'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'vacuum'), ('JOURNAL', u'Indiana'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'J.'), ('VOLUME', u'65'), ('YEAR', u'2016'), ('PAGE', u'925'), ('DOI', u'10.1512/iumj.2016.65.5813'), ('REFPLAINTEXT', u'Lv, B.Q., Shi, X.D., Xu, X.Y.: Global existence and large-time asymptotic behavior of strong solutions to the compressible magnetohydrodynamic equations with vacuum. Indiana Univ. Math. J. 65, 925\u2013975 (2016)'), ('REFSTR', "{u'bibunstructured': u'Lv, B.Q., Shi, X.D., Xu, X.Y.: Global existence and large-time asymptotic behavior of strong solutions to the compressible magnetohydrodynamic equations with vacuum. Indiana Univ. Math. J. 65, 925\\u2013975 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lv', u'initials': u'BQ'}, {u'familyname': u'Shi', u'initials': u'XD'}, {u'familyname': u'Xu', u'initials': u'XY'}], u'occurrence': [{u'handle': u'3528824', u'@type': u'AMSID'}, {u'handle': u'10.1512/iumj.2016.65.5813', u'@type': u'DOI'}], u'journaltitle': u'Indiana Univ. Math. J.', u'volumeid': u'65', u'firstpage': u'925', u'lastpage': u'975', u'year': u'2016', u'articletitle': {u'#text': u'Global existence and large-time asymptotic behavior of strong solutions to the compressible magnetohydrodynamic equations with vacuum', u'@language': u'En'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Matsumura'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Nishida'), ('TITLE', u'The'), ('TITLE', u'initial'), ('TITLE', u'value'), ('TITLE', u'problem'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'motion'), ('TITLE', u'of'), ('TITLE', u'viscous'), ('TITLE', u'and'), ('TITLE', u'heat-'), ('TITLE', u'conductive'), ('TITLE', u'gases'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Kyoto'), ('JOURNAL', u'Univ.'), ('VOLUME', u'20'), ('YEAR', u'1980'), ('PAGE', u'67'), ('DOI', u'10.1215/kjm/1250522322'), ('REFPLAINTEXT', u'Matsumura, A., Nishida, T.: The initial value problem for the equations of motion of viscous and heat-conductive gases. J. Math. Kyoto Univ. 20, 67\u2013104 (1980)'), ('REFSTR', "{u'bibunstructured': u'Matsumura, A., Nishida, T.: The initial value problem for the equations of motion of viscous and heat-conductive gases. J. Math. Kyoto Univ. 20, 67\\u2013104 (1980)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Matsumura', u'initials': u'A'}, {u'familyname': u'Nishida', u'initials': u'T'}], u'occurrence': [{u'handle': u'564670', u'@type': u'AMSID'}, {u'handle': u'10.1215/kjm/1250522322', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Kyoto Univ.', u'volumeid': u'20', u'firstpage': u'67', u'lastpage': u'104', u'year': u'1980', u'articletitle': {u'#text': u'The initial value problem for the equations of motion of viscous and heat-conductive gases', u'@language': u'En'}}, u'citationnumber': u'28.', u'@id': u'CR28'}")],
[('AUTHOR_FIRST_NAME', u'XK'), ('AUTHOR_LAST_NAME', u'Pu'), ('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'convergence'), ('TITLE', u'rates'), ('TITLE', u'of'), ('TITLE', u'smooth'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'full'), ('TITLE', u'compressible'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'64'), ('YEAR', u'2013'), ('PAGE', u'519'), ('DOI', u'10.1007/s00033-012-0245-5'), ('REFPLAINTEXT', u'Pu, X.K., Guo, B.L.: Global existence and convergence rates of smooth solutions for the full compressible MHD equations. Z. Angew. Math. Phys. 64, 519\u2013538 (2013)'), ('REFSTR', "{u'bibunstructured': u'Pu, X.K., Guo, B.L.: Global existence and convergence rates of smooth solutions for the full compressible MHD equations. Z. Angew. Math. Phys. 64, 519\\u2013538 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Pu', u'initials': u'XK'}, {u'familyname': u'Guo', u'initials': u'BL'}], u'occurrence': [{u'handle': u'3068837', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-012-0245-5', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'64', u'firstpage': u'519', u'lastpage': u'538', u'year': u'2013', u'articletitle': {u'#text': u'Global existence and convergence rates of smooth solutions for the full compressible MHD equations', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")],
[('AUTHOR_FIRST_NAME', u'DA'), ('AUTHOR_LAST_NAME', u'Shalybkov'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Urpin'), ('TITLE', u'The'), ('TITLE', u'Hall'), ('TITLE', u'effect'), ('TITLE', u'and'), ('TITLE', u'the'), ('TITLE', u'decay'), ('TITLE', u'of'), ('TITLE', u'magnetic'), ('TITLE', u'fields'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Astrophys.'), ('VOLUME', u'321'), ('YEAR', u'1997'), ('PAGE', u'685'), ('REFPLAINTEXT', u'Shalybkov, D.A., Urpin, V.A.: The Hall effect and the decay of magnetic fields. Astron. Astrophys. 321, 685\u2013690 (1997)'), ('REFSTR', "{u'bibunstructured': u'Shalybkov, D.A., Urpin, V.A.: The Hall effect and the decay of magnetic fields. Astron. Astrophys. 321, 685\\u2013690 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Shalybkov', u'initials': u'DA'}, {u'familyname': u'Urpin', u'initials': u'VA'}], u'journaltitle': u'Astron. Astrophys.', u'volumeid': u'321', u'firstpage': u'685', u'lastpage': u'690', u'year': u'1997', u'articletitle': {u'#text': u'The Hall effect and the decay of magnetic fields', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")],
[('AUTHOR_FIRST_NAME', u'Z'), ('AUTHOR_LAST_NAME', u'Tan'), ('AUTHOR_FIRST_NAME', u'HQ'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'Optimal'), ('TITLE', u'decay'), ('TITLE', u'rates'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'14'), ('YEAR', u'2013'), ('PAGE', u'188'), ('DOI', u'10.1016/j.nonrwa.2012.05.012'), ('REFPLAINTEXT', u'Tan, Z., Wang, H.Q.: Optimal decay rates of the compressible magnetohydrodynamic equations. Nonlinear Anal. Real World Appl. 14, 188\u2013201 (2013)'), ('REFSTR', "{u'bibunstructured': u'Tan, Z., Wang, H.Q.: Optimal decay rates of the compressible magnetohydrodynamic equations. Nonlinear Anal. Real World Appl. 14, 188\\u2013201 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Tan', u'initials': u'Z'}, {u'familyname': u'Wang', u'initials': u'HQ'}], u'occurrence': [{u'handle': u'2969828', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2012.05.012', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'14', u'firstpage': u'188', u'lastpage': u'201', u'year': u'2013', u'articletitle': {u'#text': u'Optimal decay rates of the compressible magnetohydrodynamic equations', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Treves'), ('YEAR', u'1975'), ('PUBLISHER', u'Basic'), ('PUBLISHER', u'Linear'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Treves, F.: Basic Linear Partial Differential Equations. Academic Press, New York (1975)'), ('REFSTR', "{u'bibunstructured': u'Treves, F.: Basic Linear Partial Differential Equations. Academic Press, New York (1975)', u'citationnumber': u'32.', u'@id': u'CR32', u'bibbook': {u'bibauthorname': {u'familyname': u'Treves', u'initials': u'F'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0305.35001', u'@type': u'ZLBID'}, u'booktitle': u'Basic Linear Partial Differential Equations', u'year': u'1975', u'publishername': u'Academic Press'}}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Wardle'), ('TITLE', u'Star'), ('TITLE', u'formation'), ('TITLE', u'and'), ('TITLE', u'the'), ('TITLE', u'Hall'), ('TITLE', u'effect'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'Space'), ('JOURNAL', u'Sci.'), ('VOLUME', u'292'), ('YEAR', u'2004'), ('PAGE', u'317'), ('REFPLAINTEXT', u'Wardle, M.: Star formation and the Hall effect. Astrophys. Space Sci. 292, 317\u2013323 (2004)'), ('REFSTR', "{u'bibunstructured': u'Wardle, M.: Star formation and the Hall effect. Astrophys. Space Sci. 292, 317\\u2013323 (2004)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Wardle', u'initials': u'M'}, u'occurrence': {u'handle': u'10.1023/B:ASTR.0000045033.80068.1f', u'@type': u'DOI'}, u'journaltitle': u'Astrophys. Space Sci.', u'volumeid': u'292', u'firstpage': u'317', u'lastpage': u'323', u'year': u'2004', u'articletitle': {u'#text': u'Star formation and the Hall effect', u'@language': u'En'}}, u'citationnumber': u'33.', u'@id': u'CR33'}")],
[('AUTHOR_FIRST_NAME', u'ZY'), ('AUTHOR_LAST_NAME', u'Xiang'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'Cauchy'), ('TITLE', u'problem'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'magneto-'), ('TITLE', u'hydrodynamic'), ('TITLE', u'equatioins'), ('JOURNAL', u'J.'), ('JOURNAL', u'Evol.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'17'), ('YEAR', u'2017'), ('PAGE', u'685'), ('DOI', u'10.1007/s00028-016-0333-7'), ('REFPLAINTEXT', u'Xiang, Z.Y.: On the Cauchy problem for the compressible Hall-magneto-hydrodynamic equatioins. J. Evol. Equ. 17, 685\u2013715 (2017)'), ('REFSTR', "{u'bibunstructured': u'Xiang, Z.Y.: On the Cauchy problem for the compressible Hall-magneto-hydrodynamic equatioins. J. Evol. Equ. 17, 685\\u2013715 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Xiang', u'initials': u'ZY'}, u'occurrence': [{u'handle': u'3665226', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00028-016-0333-7', u'@type': u'DOI'}], u'journaltitle': u'J. Evol. Equ.', u'volumeid': u'17', u'firstpage': u'685', u'lastpage': u'715', u'year': u'2017', u'articletitle': {u'#text': u'On the Cauchy problem for the compressible Hall-magneto-hydrodynamic equatioins', u'@language': u'En'}}, u'citationnumber': u'34.', u'@id': u'CR34'}")],
[('AUTHOR_FIRST_NAME', u'JW'), ('AUTHOR_LAST_NAME', u'Zhang'), ('AUTHOR_FIRST_NAME', u'JN'), ('AUTHOR_LAST_NAME', u'Zhao'), ('TITLE', u'Some'), ('TITLE', u'decay'), ('TITLE', u'estimates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'3-'), ('TITLE', u'D'), ('TITLE', u'compressible'), ('TITLE', u'isentropic'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'8'), ('YEAR', u'2010'), ('PAGE', u'835'), ('DOI', u'10.4310/CMS.2010.v8.n4.a2'), ('REFPLAINTEXT', u'Zhang, J.W., Zhao, J.N.: Some decay estimates of solutions for the 3-D compressible isentropic magnetohydrodynamics. Commun. Math. Sci. 8, 835\u2013850 (2010)'), ('REFSTR', "{u'bibunstructured': u'Zhang, J.W., Zhao, J.N.: Some decay estimates of solutions for the 3-D compressible isentropic magnetohydrodynamics. Commun. Math. Sci. 8, 835\\u2013850 (2010)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zhang', u'initials': u'JW'}, {u'familyname': u'Zhao', u'initials': u'JN'}], u'occurrence': [{u'handle': u'2744908', u'@type': u'AMSID'}, {u'handle': u'10.4310/CMS.2010.v8.n4.a2', u'@type': u'DOI'}], u'journaltitle': u'Commun. Math. Sci.', u'volumeid': u'8', u'firstpage': u'835', u'lastpage': u'850', u'year': u'2010', u'articletitle': {u'#text': u'Some decay estimates of solutions for the 3-D compressible isentropic magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'35.', u'@id': u'CR35'}")],
[('AUTHOR_FIRST_NAME', u'A-L'), ('AUTHOR_LAST_NAME', u'Bessoud'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Krasucki'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Michaille'), ('TITLE', u'Multi-'), ('TITLE', u'materials'), ('TITLE', u'with'), ('TITLE', u'strong'), ('TITLE', u'interface:'), ('TITLE', u'variational'), ('TITLE', u'modelings'), ('JOURNAL', u'Asymptot.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'61'), ('YEAR', u'2009'), ('PAGE', u'1'), ('REFPLAINTEXT', u'Bessoud, A.-L., Krasucki, F., Michaille, G.: Multi-materials with strong interface: variational modelings. Asymptot. Anal. 61, 1\u201319 (2009)'), ('REFSTR', "{u'bibunstructured': u'Bessoud, A.-L., Krasucki, F., Michaille, G.: Multi-materials with strong interface: variational modelings. Asymptot. Anal. 61, 1\\u201319 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bessoud', u'initials': u'A-L'}, {u'familyname': u'Krasucki', u'initials': u'F'}, {u'familyname': u'Michaille', u'initials': u'G'}], u'occurrence': [{u'handle': u'2483518', u'@type': u'AMSID'}, {u'handle': u'1201.35032', u'@type': u'ZLBID'}], u'journaltitle': u'Asymptot. Anal.', u'volumeid': u'61', u'firstpage': u'1', u'lastpage': u'19', u'year': u'2009', u'articletitle': {u'#text': u'Multi-materials with strong interface: variational modelings', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Bonnet'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Constantinescu'), ('TITLE', u'Inverse'), ('TITLE', u'problems'), ('TITLE', u'in'), ('TITLE', u'elasticity'), ('JOURNAL', u'Inverse'), ('JOURNAL', u'Probl.'), ('VOLUME', u'21'), ('YEAR', u'2005'), ('PAGE', u'R1'), ('DOI', u'10.1088/0266-5611/21/2/R01'), ('REFPLAINTEXT', u'Bonnet, M., Constantinescu, A.: Inverse problems in elasticity. Inverse Probl. 21, R1\u2013R50 (2005)'), ('REFSTR', "{u'bibunstructured': u'Bonnet, M., Constantinescu, A.: Inverse problems in elasticity. Inverse Probl. 21, R1\\u2013R50 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bonnet', u'initials': u'M'}, {u'familyname': u'Constantinescu', u'initials': u'A'}], u'occurrence': [{u'handle': u'2146268', u'@type': u'AMSID'}, {u'handle': u'10.1088/0266-5611/21/2/R01', u'@type': u'DOI'}], u'journaltitle': u'Inverse Probl.', u'volumeid': u'21', u'firstpage': u'R1', u'lastpage': u'R50', u'year': u'2005', u'articletitle': {u'#text': u'Inverse problems in elasticity', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")],
[('AUTHOR_FIRST_NAME', u'GP'), ('AUTHOR_LAST_NAME', u'Cherepanov'), ('YEAR', u'1979'), ('PUBLISHER', u'Mechanics'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Brittle'), ('PUBLISHER', u'Fracture'), ('REFPLAINTEXT', u'Cherepanov, G.P.: Mechanics of Brittle Fracture. McGraw-Hill, New York (1979)'), ('REFSTR', "{u'bibunstructured': u'Cherepanov, G.P.: Mechanics of Brittle Fracture. McGraw-Hill, New York (1979)', u'citationnumber': u'3.', u'@id': u'CR3', u'bibbook': {u'bibauthorname': {u'familyname': u'Cherepanov', u'initials': u'GP'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0442.73100', u'@type': u'ZLBID'}, u'booktitle': u'Mechanics of Brittle Fracture', u'year': u'1979', u'publishername': u'McGraw-Hill'}}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Eskin'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Ralston'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'inverse'), ('TITLE', u'boundary'), ('TITLE', u'value'), ('TITLE', u'problem'), ('TITLE', u'for'), ('TITLE', u'linear'), ('TITLE', u'isotropic'), ('TITLE', u'elasticity'), ('JOURNAL', u'Inverse'), ('JOURNAL', u'Probl.'), ('VOLUME', u'18'), ('YEAR', u'2002'), ('PAGE', u'907'), ('DOI', u'10.1088/0266-5611/18/3/324'), ('REFPLAINTEXT', u'Eskin, G., Ralston, J.: On the inverse boundary value problem for linear isotropic elasticity. Inverse Probl. 18, 907\u2013921 (2002)'), ('REFSTR', "{u'bibunstructured': u'Eskin, G., Ralston, J.: On the inverse boundary value problem for linear isotropic elasticity. Inverse Probl. 18, 907\\u2013921 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eskin', u'initials': u'G'}, {u'familyname': u'Ralston', u'initials': u'J'}], u'occurrence': [{u'handle': u'1910209', u'@type': u'AMSID'}, {u'handle': u'10.1088/0266-5611/18/3/324', u'@type': u'DOI'}], u'journaltitle': u'Inverse Probl.', u'volumeid': u'18', u'firstpage': u'907', u'lastpage': u'921', u'year': u'2002', u'articletitle': {u'#text': u'On the inverse boundary value problem for linear isotropic elasticity', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Grisvard'), ('YEAR', u'1992'), ('PUBLISHER', u'Singularities'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Boundary'), ('PUBLISHER', u'Value'), ('PUBLISHER', u'Problems'), ('REFPLAINTEXT', u'Grisvard, P.: Singularities in Boundary Value Problems. Springer, Paris (1992)'), ('REFSTR', "{u'bibunstructured': u'Grisvard, P.: Singularities in Boundary Value Problems. Springer, Paris (1992)', u'citationnumber': u'5.', u'@id': u'CR5', u'bibbook': {u'bibauthorname': {u'familyname': u'Grisvard', u'initials': u'P'}, u'publisherlocation': u'Paris', u'occurrence': {u'handle': u'0766.35001', u'@type': u'ZLBID'}, u'booktitle': u'Singularities in Boundary Value Problems', u'year': u'1992', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Ikehata'), ('TITLE', u'Reconstruction'), ('TITLE', u'of'), ('TITLE', u'inclusion'), ('TITLE', u'from'), ('TITLE', u'boundary'), ('TITLE', u'measurements'), ('JOURNAL', u'J.'), ('JOURNAL', u'Inverse'), ('JOURNAL', u'Ill'), ('JOURNAL', u'Posed'), ('JOURNAL', u'Probl.'), ('VOLUME', u'10'), ('YEAR', u'2002'), ('PAGE', u'37'), ('DOI', u'10.1515/jiip.2002.10.1.37'), ('REFPLAINTEXT', u'Ikehata, M.: Reconstruction of inclusion from boundary measurements. J. Inverse Ill Posed Probl. 10, 37\u201365 (2002)'), ('REFSTR', "{u'bibunstructured': u'Ikehata, M.: Reconstruction of inclusion from boundary measurements. J. Inverse Ill Posed Probl. 10, 37\\u201365 (2002)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Ikehata', u'initials': u'M'}, u'occurrence': [{u'handle': u'1889237', u'@type': u'AMSID'}, {u'handle': u'10.1515/jiip.2002.10.1.37', u'@type': u'DOI'}], u'journaltitle': u'J. Inverse Ill Posed Probl.', u'volumeid': u'10', u'firstpage': u'37', u'lastpage': u'65', u'year': u'2002', u'articletitle': {u'#text': u'Reconstruction of inclusion from boundary measurements', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")],
[('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Itou'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('AUTHOR_FIRST_NAME', u'KR'), ('AUTHOR_LAST_NAME', u'Rajagopal'), ('TITLE', u'Nonlinear'), ('TITLE', u'elasticity'), ('TITLE', u'with'), ('TITLE', u'limiting'), ('TITLE', u'small'), ('TITLE', u'strain'), ('TITLE', u'for'), ('TITLE', u'cracks'), ('TITLE', u'subject'), ('TITLE', u'to'), ('TITLE', u'non-'), ('TITLE', u'penetration'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'22'), ('YEAR', u'2017'), ('PAGE', u'1334'), ('DOI', u'10.1177/1081286516632380'), ('REFPLAINTEXT', u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Nonlinear elasticity with limiting small strain for cracks subject to non-penetration. Math. Mech. Solids 22, 1334\u20131346 (2017)'), ('REFSTR', "{u'bibunstructured': u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Nonlinear elasticity with limiting small strain for cracks subject to non-penetration. Math. Mech. Solids 22, 1334\\u20131346 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Itou', u'initials': u'H'}, {u'familyname': u'Kovtunenko', u'initials': u'VA'}, {u'familyname': u'Rajagopal', u'initials': u'KR'}], u'occurrence': [{u'handle': u'3659617', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286516632380', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'22', u'firstpage': u'1334', u'lastpage': u'1346', u'year': u'2017', u'articletitle': {u'#text': u'Nonlinear elasticity with limiting small strain for cracks subject to non-penetration', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")],
[('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Itou'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('AUTHOR_FIRST_NAME', u'KR'), ('AUTHOR_LAST_NAME', u'Rajagopal'), ('TITLE', u'Contacting'), ('TITLE', u'crack'), ('TITLE', u'faces'), ('TITLE', u'within'), ('TITLE', u'the'), ('TITLE', u'context'), ('TITLE', u'of'), ('TITLE', u'bodies'), ('TITLE', u'exhibiting'), ('TITLE', u'limiting'), ('TITLE', u'strains'), ('JOURNAL', u'JSIAM'), ('JOURNAL', u'Lett.'), ('VOLUME', u'9'), ('YEAR', u'2017'), ('PAGE', u'61'), ('DOI', u'10.14495/jsiaml.9.61'), ('REFPLAINTEXT', u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Contacting crack faces within the context of bodies exhibiting limiting strains. JSIAM Lett. 9, 61\u201364 (2017)'), ('REFSTR', "{u'bibunstructured': u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Contacting crack faces within the context of bodies exhibiting limiting strains. JSIAM Lett. 9, 61\\u201364 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Itou', u'initials': u'H'}, {u'familyname': u'Kovtunenko', u'initials': u'VA'}, {u'familyname': u'Rajagopal', u'initials': u'KR'}], u'occurrence': [{u'handle': u'3705146', u'@type': u'AMSID'}, {u'handle': u'10.14495/jsiaml.9.61', u'@type': u'DOI'}], u'journaltitle': u'JSIAM Lett.', u'volumeid': u'9', u'firstpage': u'61', u'lastpage': u'64', u'year': u'2017', u'articletitle': {u'#text': u'Contacting crack faces within the context of bodies exhibiting limiting strains', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Jadamba'), ('AUTHOR_FIRST_NAME', u'AA'), ('AUTHOR_LAST_NAME', u'Khan'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Racitic'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'inverse'), ('TITLE', u'problem'), ('TITLE', u'of'), ('TITLE', u'identifying'), ('TITLE', u'Lam'), ('TITLE', u'coefficients'), ('TITLE', u'in'), ('TITLE', u'linear'), ('TITLE', u'elasticity'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'56'), ('YEAR', u'2008'), ('PAGE', u'431'), ('DOI', u'10.1016/j.camwa.2007.12.016'), ('REFPLAINTEXT', u'Jadamba, B., Khan, A.A., Racitic, F.: On the inverse problem of identifying Lam\xe9 coefficients in linear elasticity. Comput. Math. Appl. 56, 431\u2013443 (2008)'), ('REFSTR', "{u'bibunstructured': u'Jadamba, B., Khan, A.A., Racitic, F.: On the inverse problem of identifying Lam\\xe9 coefficients in linear elasticity. Comput. Math. Appl. 56, 431\\u2013443 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Jadamba', u'initials': u'B'}, {u'familyname': u'Khan', u'initials': u'AA'}, {u'familyname': u'Racitic', u'initials': u'F'}], u'occurrence': [{u'handle': u'2442664', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2007.12.016', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'56', u'firstpage': u'431', u'lastpage': u'443', u'year': u'2008', u'articletitle': {u'#text': u'On the inverse problem of identifying Lam\\xe9 coefficients in linear elasticity', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('YEAR', u'2000'), ('PUBLISHER', u'Analysis'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Cracks'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Solids'), ('REFPLAINTEXT', u'Khludnev, A.M., Kovtunenko, V.A.: Analysis of Cracks in Solids. WIT Press, Southampton (2000)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M., Kovtunenko, V.A.: Analysis of Cracks in Solids. WIT Press, Southampton (2000)', u'citationnumber': u'10.', u'@id': u'CR10', u'bibbook': {u'publisherlocation': u'Southampton', u'bibauthorname': [{u'familyname': u'Khludnev', u'initials': u'AM'}, {u'familyname': u'Kovtunenko', u'initials': u'VA'}], u'publishername': u'WIT Press', u'booktitle': u'Analysis of Cracks in Solids', u'year': u'2000'}}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('YEAR', u'2010'), ('PUBLISHER', u'Elasticity'), ('PUBLISHER', u'Problems'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Non-'), ('PUBLISHER', u'smooth'), ('PUBLISHER', u'Domains'), ('REFPLAINTEXT', u'Khludnev, A.M.: Elasticity Problems in Non-smooth Domains. Fizmatlit, Moscow (2010)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Elasticity Problems in Non-smooth Domains. Fizmatlit, Moscow (2010)', u'citationnumber': u'11.', u'@id': u'CR11', u'bibbook': {u'publisherlocation': u'Moscow', u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'publishername': u'Fizmatlit', u'booktitle': u'Elasticity Problems in Non-smooth Domains', u'year': u'2010'}}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('AUTHOR_FIRST_NAME', u'TS'), ('AUTHOR_LAST_NAME', u'Popova'), ('TITLE', u'Semirigid'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies:'), ('TITLE', u'mechanical'), ('TITLE', u'interplay'), ('TITLE', u'and'), ('TITLE', u'optimal'), ('TITLE', u'control'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'77'), ('YEAR', u'2019'), ('PAGE', u'253'), ('DOI', u'10.1016/j.camwa.2018.09.030'), ('REFPLAINTEXT', u'Khludnev, A.M., Popova, T.S.: Semirigid inclusions in elastic bodies: mechanical interplay and optimal control. Comput. Math. Appl. 77, 253\u2013262 (2019)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M., Popova, T.S.: Semirigid inclusions in elastic bodies: mechanical interplay and optimal control. Comput. Math. Appl. 77, 253\\u2013262 (2019)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Khludnev', u'initials': u'AM'}, {u'familyname': u'Popova', u'initials': u'TS'}], u'occurrence': [{u'handle': u'3907414', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2018.09.030', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'77', u'firstpage': u'253', u'lastpage': u'262', u'year': u'2019', u'articletitle': {u'#text': u'Semirigid inclusions in elastic bodies: mechanical interplay and optimal control', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'Rigidity'), ('TITLE', u'parameter'), ('TITLE', u'identification'), ('TITLE', u'for'), ('TITLE', u'thin'), ('TITLE', u'inclusions'), ('TITLE', u'located'), ('TITLE', u'inside'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('JOURNAL', u'J.'), ('JOURNAL', u'Opt.'), ('JOURNAL', u'Theory'), ('JOURNAL', u'Appl.'), ('VOLUME', u'172'), ('YEAR', u'2017'), ('PAGE', u'281'), ('DOI', u'10.1007/s10957-016-1025-8'), ('REFPLAINTEXT', u'Khludnev, A.M.: Rigidity parameter identification for thin inclusions located inside elastic bodies. J. Opt. Theory Appl. 172, 281\u2013297 (2017)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Rigidity parameter identification for thin inclusions located inside elastic bodies. J. Opt. Theory Appl. 172, 281\\u2013297 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3596873', u'@type': u'AMSID'}, {u'handle': u'10.1007/s10957-016-1025-8', u'@type': u'DOI'}], u'journaltitle': u'J. Opt. Theory Appl.', u'volumeid': u'172', u'firstpage': u'281', u'lastpage': u'297', u'year': u'2017', u'articletitle': {u'#text': u'Rigidity parameter identification for thin inclusions located inside elastic bodies', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'Equilibrium'), ('TITLE', u'of'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'body'), ('TITLE', u'with'), ('TITLE', u'closely'), ('TITLE', u'spaced'), ('TITLE', u'thin'), ('TITLE', u'inclusions'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'58'), ('YEAR', u'2018'), ('PAGE', u'1660'), ('DOI', u'10.1134/S096554251810007X'), ('REFPLAINTEXT', u'Khludnev, A.M.: Equilibrium of an elastic body with closely spaced thin inclusions. Comput. Math. Math. Phys. 58, 1660\u20131672 (2018)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Equilibrium of an elastic body with closely spaced thin inclusions. Comput. Math. Math. Phys. 58, 1660\\u20131672 (2018)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3874046', u'@type': u'AMSID'}, {u'handle': u'10.1134/S096554251810007X', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Math. Phys.', u'volumeid': u'58', u'firstpage': u'1660', u'lastpage': u'1672', u'year': u'2018', u'articletitle': {u'#text': u'Equilibrium of an elastic body with closely spaced thin inclusions', u'@language': u'En'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'Thin'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'crossing'), ('TITLE', u'an'), ('TITLE', u'external'), ('TITLE', u'boundary'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'95'), ('YEAR', u'2015'), ('PAGE', u'1256'), ('DOI', u'10.1002/zamm.201400103'), ('REFPLAINTEXT', u'Khludnev, A.M.: Thin inclusions in elastic bodies crossing an external boundary. Z. Angew. Math. Mech. 95, 1256\u20131267 (2015)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Thin inclusions in elastic bodies crossing an external boundary. Z. Angew. Math. Mech. 95, 1256\\u20131267 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3424462', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201400103', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Mech.', u'volumeid': u'95', u'firstpage': u'1256', u'lastpage': u'1267', u'year': u'2015', u'articletitle': {u'#text': u'Thin inclusions in elastic bodies crossing an external boundary', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('AUTHOR_FIRST_NAME', u'TS'), ('AUTHOR_LAST_NAME', u'Popova'), ('TITLE', u'Timoshenko'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'crossing'), ('TITLE', u'an'), ('TITLE', u'external'), ('TITLE', u'boundary'), ('TITLE', u'at'), ('TITLE', u'zero'), ('TITLE', u'angle'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solida'), ('JOURNAL', u'Sin.'), ('VOLUME', u'30'), ('YEAR', u'2017'), ('PAGE', u'327'), ('REFPLAINTEXT', u'Khludnev, A.M., Popova, T.S.: Timoshenko inclusions in elastic bodies crossing an external boundary at zero angle. Acta Mech. Solida Sin. 30, 327\u2013333 (2017)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M., Popova, T.S.: Timoshenko inclusions in elastic bodies crossing an external boundary at zero angle. Acta Mech. Solida Sin. 30, 327\\u2013333 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Khludnev', u'initials': u'AM'}, {u'familyname': u'Popova', u'initials': u'TS'}], u'occurrence': {u'handle': u'10.1016/j.camss.2017.05.005', u'@type': u'DOI'}, u'journaltitle': u'Acta Mech. Solida Sin.', u'volumeid': u'30', u'firstpage': u'327', u'lastpage': u'333', u'year': u'2017', u'articletitle': {u'#text': u'Timoshenko inclusions in elastic bodies crossing an external boundary at zero angle', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")],
[('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'On'), ('TITLE', u'thin'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'with'), ('TITLE', u'defects'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'70'), ('YEAR', u'2019'), ('PAGE', u'45'), ('DOI', u'10.1007/s00033-019-1091-5'), ('REFPLAINTEXT', u'Khludnev, A.M.: On thin inclusions in elastic bodies with defects. Z. Angew. Math. Phys. 70, 45 (2019)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: On thin inclusions in elastic bodies with defects. Z. Angew. Math. Phys. 70, 45 (2019)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3914948', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-019-1091-5', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'70', u'firstpage': u'45', u'year': u'2019', u'articletitle': {u'#text': u'On thin inclusions in elastic bodies with defects', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")],
[('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Knees'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Schroder'), ('TITLE', u'Global'), ('TITLE', u'spatial'), ('TITLE', u'regularity'), ('TITLE', u'for'), ('TITLE', u'elasticity'), ('TITLE', u'models'), ('TITLE', u'with'), ('TITLE', u'cracks,'), ('TITLE', u'contact'), ('TITLE', u'and'), ('TITLE', u'other'), ('TITLE', u'nonsmooth'), ('TITLE', u'constraints'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Methods'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'35'), ('YEAR', u'2012'), ('PAGE', u'1859'), ('DOI', u'10.1002/mma.2598'), ('REFPLAINTEXT', u'Knees, D., Schroder, A.: Global spatial regularity for elasticity models with cracks, contact and other nonsmooth constraints. Math. Methods Appl. Sci. 35, 1859\u20131884 (2012)'), ('REFSTR', "{u'bibunstructured': u'Knees, D., Schroder, A.: Global spatial regularity for elasticity models with cracks, contact and other nonsmooth constraints. Math. Methods Appl. Sci. 35, 1859\\u20131884 (2012)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Knees', u'initials': u'D'}, {u'familyname': u'Schroder', u'initials': u'A'}], u'occurrence': [{u'handle': u'2982470', u'@type': u'AMSID'}, {u'handle': u'10.1002/mma.2598', u'@type': u'DOI'}], u'journaltitle': u'Math. Methods Appl. Sci.', u'volumeid': u'35', u'firstpage': u'1859', u'lastpage': u'1884', u'year': u'2012', u'articletitle': {u'#text': u'Global spatial regularity for elasticity models with cracks, contact and other nonsmooth constraints', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")],
[('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Knowles'), ('TITLE', u'Parameter'), ('TITLE', u'identification'), ('TITLE', u'for'), ('TITLE', u'elliptic'), ('TITLE', u'problems'), ('JOURNAL', u'J.'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'131'), ('YEAR', u'2001'), ('PAGE', u'175'), ('DOI', u'10.1016/S0377-0427(00)00275-2'), ('REFPLAINTEXT', u'Knowles, I.: Parameter identification for elliptic problems. J. Comput. Appl. Math. 131, 175\u2013194 (2001)'), ('REFSTR', "{u'bibunstructured': u'Knowles, I.: Parameter identification for elliptic problems. J. Comput. Appl. Math. 131, 175\\u2013194 (2001)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Knowles', u'initials': u'I'}, u'occurrence': [{u'handle': u'1835711', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0377-0427(00)00275-2', u'@type': u'DOI'}], u'journaltitle': u'J. Comput. Appl. Math.', u'volumeid': u'131', u'firstpage': u'175', u'lastpage': u'194', u'year': u'2001', u'articletitle': {u'#text': u'Parameter identification for elliptic problems', u'@language': u'En'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")],
[('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('TITLE', u'Primal-'), ('TITLE', u'dual'), ('TITLE', u'methods'), ('TITLE', u'of'), ('TITLE', u'shape'), ('TITLE', u'sensitivity'), ('TITLE', u'analysis'), ('TITLE', u'for'), ('TITLE', u'curvilinear'), ('TITLE', u'cracks'), ('TITLE', u'with'), ('TITLE', u'nonpenetration'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'71'), ('YEAR', u'2006'), ('PAGE', u'635'), ('DOI', u'10.1093/imamat/hxl014'), ('REFPLAINTEXT', u'Kovtunenko, V.A.: Primal-dual methods of shape sensitivity analysis for curvilinear cracks with nonpenetration. IMA J. Appl. Math. 71, 635\u2013657 (2006)'), ('REFSTR', "{u'bibunstructured': u'Kovtunenko, V.A.: Primal-dual methods of shape sensitivity analysis for curvilinear cracks with nonpenetration. IMA J. Appl. Math. 71, 635\\u2013657 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Kovtunenko', u'initials': u'VA'}, u'occurrence': [{u'handle': u'2268880', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxl014', u'@type': u'DOI'}], u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'71', u'firstpage': u'635', u'lastpage': u'657', u'year': u'2006', u'articletitle': {u'#text': u'Primal-dual methods of shape sensitivity analysis for curvilinear cracks with nonpenetration', u'@language': u'En'}}, u'citationnumber': u'20.', u'@id': u'CR20'}")],
[('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kozlov'), ('AUTHOR_FIRST_NAME', u'VG'), ('AUTHOR_LAST_NAME', u'Mazya'), ('AUTHOR_FIRST_NAME', u'AB'), ('AUTHOR_LAST_NAME', u'Movchan'), ('YEAR', u'1999'), ('PUBLISHER', u'Asymptotic'), ('PUBLISHER', u'Analysis'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Fields'), ('PUBLISHER', u'in'), ('PUBLISHER', u'a'), ('PUBLISHER', u'Multi-'), ('PUBLISHER', u'structure.'), ('PUBLISHER', u'Oxford'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Monographs'), ('REFPLAINTEXT', u'Kozlov, V.A., Mazya, V.G., Movchan, A.B.: Asymptotic Analysis of Fields in a Multi-structure. Oxford Mathematical Monographs. Oxford University Press, New York (1999)'), ('REFSTR', "{u'bibunstructured': u'Kozlov, V.A., Mazya, V.G., Movchan, A.B.: Asymptotic Analysis of Fields in a Multi-structure. Oxford Mathematical Monographs. Oxford University Press, New York (1999)', u'citationnumber': u'21.', u'@id': u'CR21', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': [{u'familyname': u'Kozlov', u'initials': u'VA'}, {u'familyname': u'Mazya', u'initials': u'VG'}, {u'familyname': u'Movchan', u'initials': u'AB'}], u'publishername': u'Oxford University Press', u'booktitle': u'Asymptotic Analysis of Fields in a Multi-structure. Oxford Mathematical Monographs', u'year': u'1999'}}")],
[('AUTHOR_FIRST_NAME', u'NP'), ('AUTHOR_LAST_NAME', u'Lazarev'), ('TITLE', u'Shape'), ('TITLE', u'sensitivity'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'energy'), ('TITLE', u'integrals'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Timoshenko-'), ('TITLE', u'type'), ('TITLE', u'plate'), ('TITLE', u'containing'), ('TITLE', u'a'), ('TITLE', u'crack'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'boundary'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'rigid'), ('TITLE', u'inclusion'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('YEAR', u'2015'), ('PAGE', u'2025'), ('DOI', u'10.1007/s00033-014-0488-4'), ('REFPLAINTEXT', u'Lazarev, N.P.: Shape sensitivity analysis of the energy integrals for the Timoshenko-type plate containing a crack on the boundary of a rigid inclusion. Z. Angew. Math. Phys. 66, 2025\u20132040 (2015)'), ('REFSTR', "{u'bibunstructured': u'Lazarev, N.P.: Shape sensitivity analysis of the energy integrals for the Timoshenko-type plate containing a crack on the boundary of a rigid inclusion. Z. Angew. Math. Phys. 66, 2025\\u20132040 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Lazarev', u'initials': u'NP'}, u'occurrence': [{u'handle': u'3377729', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-014-0488-4', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'2025', u'lastpage': u'2040', u'year': u'2015', u'articletitle': {u'#text': u'Shape sensitivity analysis of the energy integrals for the Timoshenko-type plate containing a crack on the boundary of a rigid inclusion', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")],
[('AUTHOR_FIRST_NAME', u'NP'), ('AUTHOR_LAST_NAME', u'Lazarev'), ('AUTHOR_FIRST_NAME', u'EM'), ('AUTHOR_LAST_NAME', u'Rudoy'), ('TITLE', u'Shape'), ('TITLE', u'sensitivity'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'Timoshenkos'), ('TITLE', u'plate'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'crack'), ('TITLE', u'under'), ('TITLE', u'the'), ('TITLE', u'nonpenetration'), ('TITLE', u'condition'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'94'), ('YEAR', u'2014'), ('PAGE', u'730'), ('DOI', u'10.1002/zamm.201200229'), ('REFPLAINTEXT', u'Lazarev, N.P., Rudoy, E.M.: Shape sensitivity analysis of Timoshenko\u2019s plate with a crack under the nonpenetration condition. Z. Angew. Math. Mech. 94, 730\u2013739 (2014)'), ('REFSTR', "{u'bibunstructured': u'Lazarev, N.P., Rudoy, E.M.: Shape sensitivity analysis of Timoshenko\\u2019s plate with a crack under the nonpenetration condition. Z. Angew. Math. Mech. 94, 730\\u2013739 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lazarev', u'initials': u'NP'}, {u'familyname': u'Rudoy', u'initials': u'EM'}], u'occurrence': [{u'handle': u'3259385', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201200229', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Mech.', u'volumeid': u'94', u'firstpage': u'730', u'lastpage': u'739', u'year': u'2014', u'articletitle': {u'#text': u'Shape sensitivity analysis of Timoshenko\\u2019s plate with a crack under the nonpenetration condition', u'@language': u'En'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")],
[('AUTHOR_FIRST_NAME', u'NP'), ('AUTHOR_LAST_NAME', u'Lazarev'), ('AUTHOR_FIRST_NAME', u'EM'), ('AUTHOR_LAST_NAME', u'Rudoy'), ('TITLE', u'Optimal'), ('TITLE', u'size'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'rigid'), ('TITLE', u'thin'), ('TITLE', u'stiffener'), ('TITLE', u'reinforcing'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'plate'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'outer'), ('TITLE', u'edge'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'97'), ('YEAR', u'2017'), ('PAGE', u'716'), ('DOI', u'10.1002/zamm.201600291'), ('REFPLAINTEXT', u'Lazarev, N.P., Rudoy, E.M.: Optimal size of a rigid thin stiffener reinforcing an elastic plate on the outer edge. Z. Angew. Math. Mech. 97, 716\u2013730 (2017)'), ('REFSTR', "{u'bibunstructured': u'Lazarev, N.P., Rudoy, E.M.: Optimal size of a rigid thin stiffener reinforcing an elastic plate on the outer edge. Z. Angew. Math. Mech. 97, 716\\u2013730 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lazarev', u'initials': u'NP'}, {u'familyname': u'Rudoy', u'initials': u'EM'}], u'occurrence': [{u'handle': u'3689455', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201600291', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Mech.', u'volumeid': u'97', u'firstpage': u'716', u'lastpage': u'730', u'year': u'2017', u'articletitle': {u'#text': u'Optimal size of a rigid thin stiffener reinforcing an elastic plate on the outer edge', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")],
[('AUTHOR_FIRST_NAME', u'PK'), ('AUTHOR_LAST_NAME', u'Mallick'), ('YEAR', u'1993'), ('PUBLISHER', u'Fiber-'), ('PUBLISHER', u'Reinforced'), ('PUBLISHER', u'Composites.'), ('PUBLISHER', u'Materials,'), ('PUBLISHER', u'Manufacturing,'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Design'), ('REFPLAINTEXT', u'Mallick, P.K.: Fiber-Reinforced Composites. Materials, Manufacturing, and Design. Marcel Dekker, New York (1993)'), ('REFSTR', "{u'bibunstructured': u'Mallick, P.K.: Fiber-Reinforced Composites. Materials, Manufacturing, and Design. Marcel Dekker, New York (1993)', u'citationnumber': u'25.', u'@id': u'CR25', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Mallick', u'initials': u'PK'}, u'publishername': u'Marcel Dekker', u'booktitle': u'Fiber-Reinforced Composites. Materials, Manufacturing, and Design', u'year': u'1993'}}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Uhlmann'), ('TITLE', u'Identification'), ('TITLE', u'of'), ('TITLE', u'Lame'), ('TITLE', u'parameters'), ('TITLE', u'by'), ('TITLE', u'boundary'), ('TITLE', u'measurements'), ('JOURNAL', u'Am.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('VOLUME', u'115'), ('YEAR', u'1993'), ('PAGE', u'1161'), ('DOI', u'10.2307/2375069'), ('REFPLAINTEXT', u'Nakamura, G., Uhlmann, G.: Identification of Lame parameters by boundary measurements. Am. J. Math. 115, 1161\u20131187 (1993)'), ('REFSTR', "{u'bibunstructured': u'Nakamura, G., Uhlmann, G.: Identification of Lame parameters by boundary measurements. Am. J. Math. 115, 1161\\u20131187 (1993)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Uhlmann', u'initials': u'G'}], u'occurrence': [{u'handle': u'1246188', u'@type': u'AMSID'}, {u'handle': u'10.2307/2375069', u'@type': u'DOI'}], u'journaltitle': u'Am. J. Math.', u'volumeid': u'115', u'firstpage': u'1161', u'lastpage': u'1187', u'year': u'1993', u'articletitle': {u'#text': u'Identification of Lame parameters by boundary measurements', u'@language': u'En'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Uhlmann'), ('TITLE', u'Global'), ('TITLE', u'uniqueness'), ('TITLE', u'for'), ('TITLE', u'an'), ('TITLE', u'inverse'), ('TITLE', u'boundary'), ('TITLE', u'value'), ('TITLE', u'problem'), ('TITLE', u'arising'), ('TITLE', u'in'), ('TITLE', u'elasticity'), ('JOURNAL', u'Invent.'), ('JOURNAL', u'Math.'), ('VOLUME', u'118'), ('YEAR', u'1994'), ('PAGE', u'457'), ('DOI', u'10.1007/BF01231541'), ('REFPLAINTEXT', u'Nakamura, G., Uhlmann, G.: Global uniqueness for an inverse boundary value problem arising in elasticity. Invent. Math. 118, 457\u2013474 (1994)'), ('REFSTR', "{u'bibunstructured': u'Nakamura, G., Uhlmann, G.: Global uniqueness for an inverse boundary value problem arising in elasticity. Invent. Math. 118, 457\\u2013474 (1994)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Uhlmann', u'initials': u'G'}], u'occurrence': [{u'handle': u'1296354', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF01231541', u'@type': u'DOI'}], u'journaltitle': u'Invent. Math.', u'volumeid': u'118', u'firstpage': u'457', u'lastpage': u'474', u'year': u'1994', u'articletitle': {u'#text': u'Global uniqueness for an inverse boundary value problem arising in elasticity', u'@language': u'En'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Panasenko'), ('YEAR', u'2005'), ('PUBLISHER', u'Multi-'), ('PUBLISHER', u'scale'), ('PUBLISHER', u'Modelling'), ('PUBLISHER', u'for'), ('PUBLISHER', u'Structures'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Composites'), ('REFPLAINTEXT', u'Panasenko, G.: Multi-scale Modelling for Structures and Composites. Springer, New York (2005)'), ('REFSTR', "{u'bibunstructured': u'Panasenko, G.: Multi-scale Modelling for Structures and Composites. Springer, New York (2005)', u'citationnumber': u'28.', u'@id': u'CR28', u'bibbook': {u'bibauthorname': {u'familyname': u'Panasenko', u'initials': u'G'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'1078.74002', u'@type': u'ZLBID'}, u'booktitle': u'Multi-scale Modelling for Structures and Composites', u'year': u'2005', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'IM'), ('AUTHOR_LAST_NAME', u'Pasternak'), ('TITLE', u'Plane'), ('TITLE', u'problem'), ('TITLE', u'of'), ('TITLE', u'elasticity'), ('TITLE', u'theory'), ('TITLE', u'for'), ('TITLE', u'anisotropic'), ('TITLE', u'bodies'), ('TITLE', u'with'), ('TITLE', u'thin'), ('TITLE', u'elastic'), ('TITLE', u'inclusions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'186'), ('YEAR', u'2012'), ('PAGE', u'31'), ('DOI', u'10.1007/s10958-012-0971-4'), ('REFPLAINTEXT', u'Pasternak, I.M.: Plane problem of elasticity theory for anisotropic bodies with thin elastic inclusions. J. Math. Sci. 186, 31\u201347 (2012)'), ('REFSTR', "{u'bibunstructured': u'Pasternak, I.M.: Plane problem of elasticity theory for anisotropic bodies with thin elastic inclusions. J. Math. Sci. 186, 31\\u201347 (2012)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pasternak', u'initials': u'IM'}, u'occurrence': [{u'handle': u'2933721', u'@type': u'AMSID'}, {u'handle': u'10.1007/s10958-012-0971-4', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Sci.', u'volumeid': u'186', u'firstpage': u'31', u'lastpage': u'47', u'year': u'2012', u'articletitle': {u'#text': u'Plane problem of elasticity theory for anisotropic bodies with thin elastic inclusions', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Sofonea'), ('AUTHOR_FIRST_NAME', u'Y-B'), ('AUTHOR_LAST_NAME', u'Xiao'), ('TITLE', u'Boundary'), ('TITLE', u'optimal'), ('TITLE', u'control'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'nonsmooth'), ('TITLE', u'frictionless'), ('TITLE', u'contact'), ('TITLE', u'problem'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'78'), ('YEAR', u'2019'), ('PAGE', u'152'), ('DOI', u'10.1016/j.camwa.2019.02.027'), ('REFPLAINTEXT', u'Sofonea, M., Xiao, Y.-B.: Boundary optimal control of a nonsmooth frictionless contact problem. Comput. Math. Appl. 78, 152\u2013165 (2019)'), ('REFSTR', "{u'bibunstructured': u'Sofonea, M., Xiao, Y.-B.: Boundary optimal control of a nonsmooth frictionless contact problem. Comput. Math. Appl. 78, 152\\u2013165 (2019)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Sofonea', u'initials': u'M'}, {u'familyname': u'Xiao', u'initials': u'Y-B'}], u'occurrence': [{u'handle': u'3949682', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2019.02.027', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'78', u'firstpage': u'152', u'lastpage': u'165', u'year': u'2019', u'articletitle': {u'#text': u'Boundary optimal control of a nonsmooth frictionless contact problem', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")],
[('AUTHOR_FIRST_NAME', u'VV'), ('AUTHOR_LAST_NAME', u'Shcherbakov'), ('TITLE', u'Choosing'), ('TITLE', u'an'), ('TITLE', u'optimal'), ('TITLE', u'shape'), ('TITLE', u'of'), ('TITLE', u'thin'), ('TITLE', u'rigid'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Tech.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'56'), ('YEAR', u'2015'), ('PAGE', u'321'), ('DOI', u'10.1134/S0021894415020182'), ('REFPLAINTEXT', u'Shcherbakov, V.V.: Choosing an optimal shape of thin rigid inclusions in elastic bodies. J. Appl. Mech. Tech. Phys. 56, 321\u2013329 (2015)'), ('REFSTR', "{u'bibunstructured': u'Shcherbakov, V.V.: Choosing an optimal shape of thin rigid inclusions in elastic bodies. J. Appl. Mech. Tech. Phys. 56, 321\\u2013329 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Shcherbakov', u'initials': u'VV'}, u'occurrence': [{u'handle': u'3416031', u'@type': u'AMSID'}, {u'handle': u'10.1134/S0021894415020182', u'@type': u'DOI'}], u'journaltitle': u'J. Appl. Mech. Tech. Phys.', u'volumeid': u'56', u'firstpage': u'321', u'lastpage': u'329', u'year': u'2015', u'articletitle': {u'#text': u'Choosing an optimal shape of thin rigid inclusions in elastic bodies', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")],
[('AUTHOR_FIRST_NAME', u'VV'), ('AUTHOR_LAST_NAME', u'Shcherbakov'), ('TITLE', u'Energy'), ('TITLE', u'release'), ('TITLE', u'rates'), ('TITLE', u'for'), ('TITLE', u'interfacial'), ('TITLE', u'cracks'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'with'), ('TITLE', u'thin'), ('TITLE', u'semirigid'), ('TITLE', u'inclusions'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'68'), ('YEAR', u'2017'), ('PAGE', u'26'), ('DOI', u'10.1007/s00033-017-0769-9'), ('REFPLAINTEXT', u'Shcherbakov, V.V.: Energy release rates for interfacial cracks in elastic bodies with thin semirigid inclusions. Z. Angew. Math. Phys. 68, 26 (2017)'), ('REFSTR', "{u'bibunstructured': u'Shcherbakov, V.V.: Energy release rates for interfacial cracks in elastic bodies with thin semirigid inclusions. Z. Angew. Math. Phys. 68, 26 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Shcherbakov', u'initials': u'VV'}, u'occurrence': [{u'handle': u'3598792', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-017-0769-9', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'68', u'firstpage': u'26', u'year': u'2017', u'articletitle': {u'#text': u'Energy release rates for interfacial cracks in elastic bodies with thin semirigid inclusions', u'@language': u'En'}}, u'citationnumber': u'32.', u'@id': u'CR32'}")],
[('AUTHOR_FIRST_NAME', u'BJ'), ('AUTHOR_LAST_NAME', u'Chen'), ('AUTHOR_FIRST_NAME', u'ZM'), ('AUTHOR_LAST_NAME', u'Xiao'), ('AUTHOR_FIRST_NAME', u'KM'), ('AUTHOR_LAST_NAME', u'Liew'), ('TITLE', u'Electroelastic'), ('TITLE', u'stress'), ('TITLE', u'analysis'), ('TITLE', u'for'), ('TITLE', u'a'), ('TITLE', u'wedge-'), ('TITLE', u'shaped'), ('TITLE', u'crack'), ('TITLE', u'interacting'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'solid'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'40'), ('YEAR', u'2002'), ('PAGE', u'621'), ('REFPLAINTEXT', u'Chen, B.J., Xiao, Z.M., Liew, K.M.: Electro\u2013elastic stress analysis for a wedge-shaped crack interacting with a screw dislocation in piezoelectric solid. Int. J. Eng. Sci. 40, 621\u2013635 (2002)'), ('REFSTR', "{u'bibunstructured': u'Chen, B.J., Xiao, Z.M., Liew, K.M.: Electro\\u2013elastic stress analysis for a wedge-shaped crack interacting with a screw dislocation in piezoelectric solid. Int. J. Eng. Sci. 40, 621\\u2013635 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chen', u'initials': u'BJ'}, {u'familyname': u'Xiao', u'initials': u'ZM'}, {u'familyname': u'Liew', u'initials': u'KM'}], u'occurrence': {u'handle': u'10.1016/S0020-7225(01)00093-3', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'40', u'firstpage': u'621', u'lastpage': u'635', u'year': u'2002', u'articletitle': {u'#text': u'Electro\\u2013elastic stress analysis for a wedge-shaped crack interacting with a screw dislocation in piezoelectric solid', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")],
[('AUTHOR_FIRST_NAME', u'BJ'), ('AUTHOR_LAST_NAME', u'Chen'), ('AUTHOR_FIRST_NAME', u'ZM'), ('AUTHOR_LAST_NAME', u'Xiao'), ('AUTHOR_FIRST_NAME', u'KM'), ('AUTHOR_LAST_NAME', u'Liew'), ('TITLE', u'A'), ('TITLE', u'line'), ('TITLE', u'dislocation'), ('TITLE', u'interacting'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'solid'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'42'), ('YEAR', u'2004'), ('PAGE', u'1'), ('REFPLAINTEXT', u'Chen, B.J., Xiao, Z.M., Liew, K.M.: A line dislocation interacting with a semi-infinite crack in piezoelectric solid. Int. J. Eng. Sci. 42, 1\u201311 (2004)'), ('REFSTR', "{u'bibunstructured': u'Chen, B.J., Xiao, Z.M., Liew, K.M.: A line dislocation interacting with a semi-infinite crack in piezoelectric solid. Int. J. Eng. Sci. 42, 1\\u201311 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chen', u'initials': u'BJ'}, {u'familyname': u'Xiao', u'initials': u'ZM'}, {u'familyname': u'Liew', u'initials': u'KM'}], u'occurrence': {u'handle': u'10.1016/S0020-7225(03)00279-9', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'42', u'firstpage': u'1', u'lastpage': u'11', u'year': u'2004', u'articletitle': {u'#text': u'A line dislocation interacting with a semi-infinite crack in piezoelectric solid', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")],
[('REFPLAINTEXT', u'Deeg, W.F.: The Analysis of Dislocation, Crack, and Inclusion Problems in Piezoelectric Solids. Ph.D. thesis, Stanford University, Stanford, CA (1980)'), ('REFSTR', "{u'bibunstructured': u'Deeg, W.F.: The Analysis of Dislocation, Crack, and Inclusion Problems in Piezoelectric Solids. Ph.D. thesis, Stanford University, Stanford, CA (1980)', u'citationnumber': u'3.', u'@id': u'CR3'}")],
[('AUTHOR_FIRST_NAME', u'KY'), ('AUTHOR_LAST_NAME', u'Lee'), ('AUTHOR_FIRST_NAME', u'WG'), ('AUTHOR_LAST_NAME', u'Lee'), ('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Interaction'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('TITLE', u'and'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'piezoelectric'), ('TITLE', u'material'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'67'), ('YEAR', u'2000'), ('PAGE', u'165'), ('REFPLAINTEXT', u'Lee, K.Y., Lee, W.G., Pak, Y.E.: Interaction between a semi-infinite crack and a screw dislocation in a piezoelectric material. ASME J. Appl. Mech. 67, 165\u2013170 (2000)'), ('REFSTR', "{u'bibunstructured': u'Lee, K.Y., Lee, W.G., Pak, Y.E.: Interaction between a semi-infinite crack and a screw dislocation in a piezoelectric material. ASME J. Appl. Mech. 67, 165\\u2013170 (2000)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lee', u'initials': u'KY'}, {u'familyname': u'Lee', u'initials': u'WG'}, {u'familyname': u'Pak', u'initials': u'YE'}], u'occurrence': {u'handle': u'10.1115/1.321172', u'@type': u'DOI'}, u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'67', u'firstpage': u'165', u'lastpage': u'170', u'year': u'2000', u'articletitle': {u'#text': u'Interaction between a semi-infinite crack and a screw dislocation in a piezoelectric material', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('AUTHOR_FIRST_NAME', u'CY'), ('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'GJ'), ('AUTHOR_LAST_NAME', u'Weng'), ('TITLE', u'Yoffe-'), ('TITLE', u'type'), ('TITLE', u'moving'), ('TITLE', u'crack'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'functionally'), ('TITLE', u'graded'), ('TITLE', u'piezoelectric'), ('TITLE', u'material'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Lond.'), ('JOURNAL', u'A'), ('VOLUME', u'458'), ('YEAR', u'2002'), ('PAGE', u'381'), ('DOI', u'10.1098/rspa.2001.0873'), ('REFPLAINTEXT', u'Li, C.Y., Weng, G.J.: Yoffe-type moving crack in a functionally graded piezoelectric material. Proc. R. Soc. Lond. A 458, 381\u2013399 (2002)'), ('REFSTR', "{u'bibunstructured': u'Li, C.Y., Weng, G.J.: Yoffe-type moving crack in a functionally graded piezoelectric material. Proc. R. Soc. Lond. A 458, 381\\u2013399 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Li', u'initials': u'CY'}, {u'familyname': u'Weng', u'initials': u'GJ'}], u'occurrence': [{u'handle': u'1889934', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.2001.0873', u'@type': u'DOI'}], u'journaltitle': u'Proc. R. Soc. Lond. A', u'volumeid': u'458', u'firstpage': u'381', u'lastpage': u'399', u'year': u'2002', u'articletitle': {u'#text': u'Yoffe-type moving crack in a functionally graded piezoelectric material', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")],
[('AUTHOR_FIRST_NAME', u'BS'), ('AUTHOR_LAST_NAME', u'Majumdar'), ('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Burns'), ('TITLE', u'Crack'), ('TITLE', u'tip'), ('TITLE', u'shieldingan'), ('TITLE', u'elastic'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'dislocations'), ('TITLE', u'and'), ('TITLE', u'dislocation'), ('TITLE', u'arrays'), ('TITLE', u'near'), ('TITLE', u'a'), ('TITLE', u'sharp'), ('TITLE', u'crack'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Metall.'), ('VOLUME', u'29'), ('YEAR', u'1981'), ('PAGE', u'579'), ('REFPLAINTEXT', u'Majumdar, B.S., Burns, S.J.: Crack tip shielding\u2014an elastic theory of dislocations and dislocation arrays near a sharp crack. Acta Metall. 29, 579\u2013588 (1981)'), ('REFSTR', "{u'bibunstructured': u'Majumdar, B.S., Burns, S.J.: Crack tip shielding\\u2014an elastic theory of dislocations and dislocation arrays near a sharp crack. Acta Metall. 29, 579\\u2013588 (1981)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Majumdar', u'initials': u'BS'}, {u'familyname': u'Burns', u'initials': u'SJ'}], u'occurrence': {u'handle': u'10.1016/0001-6160(81)90139-5', u'@type': u'DOI'}, u'journaltitle': u'Acta Metall.', u'volumeid': u'29', u'firstpage': u'579', u'lastpage': u'588', u'year': u'1981', u'articletitle': {u'#text': u'Crack tip shielding\\u2014an elastic theory of dislocations and dislocation arrays near a sharp crack', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")],
[('AUTHOR_FIRST_NAME', u'SA'), ('AUTHOR_LAST_NAME', u'Meguid'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Deng'), ('TITLE', u'Electroelastic'), ('TITLE', u'interaction'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'and'), ('TITLE', u'an'), ('TITLE', u'elliptical'), ('TITLE', u'inhomogeneity'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'materials'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'35'), ('YEAR', u'1998'), ('PAGE', u'1467'), ('REFPLAINTEXT', u'Meguid, S.A., Deng, W.: Electro\u2013elastic interaction between a screw dislocation and an elliptical inhomogeneity in piezoelectric materials. Int. J. Solids Struct. 35, 1467\u20131482 (1998)'), ('REFSTR', "{u'bibunstructured': u'Meguid, S.A., Deng, W.: Electro\\u2013elastic interaction between a screw dislocation and an elliptical inhomogeneity in piezoelectric materials. Int. J. Solids Struct. 35, 1467\\u20131482 (1998)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meguid', u'initials': u'SA'}, {u'familyname': u'Deng', u'initials': u'W'}], u'occurrence': {u'handle': u'10.1016/S0020-7683(97)00116-9', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'35', u'firstpage': u'1467', u'lastpage': u'1482', u'year': u'1998', u'articletitle': {u'#text': u'Electro\\u2013elastic interaction between a screw dislocation and an elliptical inhomogeneity in piezoelectric materials', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")],
[('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Crack'), ('TITLE', u'extension'), ('TITLE', u'force'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'piezoelectric'), ('TITLE', u'material'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'57'), ('YEAR', u'1990'), ('PAGE', u'647'), ('REFPLAINTEXT', u'Pak, Y.E.: Crack extension force in a piezoelectric material. ASME J. Appl. Mech. 57, 647\u2013653 (1990a)'), ('REFSTR', "{u'bibunstructured': u'Pak, Y.E.: Crack extension force in a piezoelectric material. ASME J. Appl. Mech. 57, 647\\u2013653 (1990a)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pak', u'initials': u'YE'}, u'occurrence': {u'handle': u'10.1115/1.2897071', u'@type': u'DOI'}, u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'57', u'firstpage': u'647', u'lastpage': u'653', u'year': u'1990', u'articletitle': {u'#text': u'Crack extension force in a piezoelectric material', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Force'), ('TITLE', u'on'), ('TITLE', u'a'), ('TITLE', u'piezoelectric'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'57'), ('YEAR', u'1990'), ('PAGE', u'863'), ('REFPLAINTEXT', u'Pak, Y.E.: Force on a piezoelectric screw dislocation. ASME J. Appl. Mech. 57, 863\u2013869 (1990b)'), ('REFSTR', "{u'bibunstructured': u'Pak, Y.E.: Force on a piezoelectric screw dislocation. ASME J. Appl. Mech. 57, 863\\u2013869 (1990b)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pak', u'initials': u'YE'}, u'occurrence': {u'handle': u'10.1115/1.2897653', u'@type': u'DOI'}, u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'57', u'firstpage': u'863', u'lastpage': u'869', u'year': u'1990', u'articletitle': {u'#text': u'Force on a piezoelectric screw dislocation', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Circular'), ('TITLE', u'inclusion'), ('TITLE', u'problem'), ('TITLE', u'in'), ('TITLE', u'antiplane'), ('TITLE', u'piezoelectricity'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'29'), ('YEAR', u'1992'), ('PAGE', u'2403'), ('REFPLAINTEXT', u'Pak, Y.E.: Circular inclusion problem in antiplane piezoelectricity. Int. J. Solids Struct. 29, 2403\u20132419 (1992)'), ('REFSTR', "{u'bibunstructured': u'Pak, Y.E.: Circular inclusion problem in antiplane piezoelectricity. Int. J. Solids Struct. 29, 2403\\u20132419 (1992)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pak', u'initials': u'YE'}, u'occurrence': {u'handle': u'10.1016/0020-7683(92)90223-G', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'29', u'firstpage': u'2403', u'lastpage': u'2419', u'year': u'1992', u'articletitle': {u'#text': u'Circular inclusion problem in antiplane piezoelectricity', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")],
[('AUTHOR_FIRST_NAME', u'CQ'), ('AUTHOR_LAST_NAME', u'Ru'), ('TITLE', u'Analytic'), ('TITLE', u'solution'), ('TITLE', u'for'), ('TITLE', u'Eshelbys'), ('TITLE', u'problem'), ('TITLE', u'of'), ('TITLE', u'an'), ('TITLE', u'inclusion'), ('TITLE', u'of'), ('TITLE', u'arbitrary'), ('TITLE', u'shape'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'plane'), ('TITLE', u'or'), ('TITLE', u'half-'), ('TITLE', u'plane'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'66'), ('YEAR', u'1999'), ('PAGE', u'315'), ('DOI', u'10.1115/1.2791051'), ('REFPLAINTEXT', u'Ru, C.Q.: Analytic solution for Eshelby\u2019s problem of an inclusion of arbitrary shape in a plane or half-plane. ASME J. Appl. Mech. 66, 315\u2013322 (1999)'), ('REFSTR', "{u'bibunstructured': u'Ru, C.Q.: Analytic solution for Eshelby\\u2019s problem of an inclusion of arbitrary shape in a plane or half-plane. ASME J. Appl. Mech. 66, 315\\u2013322 (1999)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Ru', u'initials': u'CQ'}, u'occurrence': [{u'handle': u'1698732', u'@type': u'AMSID'}, {u'handle': u'10.1115/1.2791051', u'@type': u'DOI'}], u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'66', u'firstpage': u'315', u'lastpage': u'322', u'year': u'1999', u'articletitle': {u'#text': u'Analytic solution for Eshelby\\u2019s problem of an inclusion of arbitrary shape in a plane or half-plane', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")],
[('AUTHOR_FIRST_NAME', u'ZG'), ('AUTHOR_LAST_NAME', u'Suo'), ('TITLE', u'Singularities'), ('TITLE', u'interacting'), ('TITLE', u'with'), ('TITLE', u'interfaces'), ('TITLE', u'and'), ('TITLE', u'cracks'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'25'), ('YEAR', u'1989'), ('PAGE', u'1133'), ('REFPLAINTEXT', u'Suo, Z.G.: Singularities interacting with interfaces and cracks. Int. J. Solids Struct. 25, 1133\u20131142 (1989)'), ('REFSTR', "{u'bibunstructured': u'Suo, Z.G.: Singularities interacting with interfaces and cracks. Int. J. Solids Struct. 25, 1133\\u20131142 (1989)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Suo', u'initials': u'ZG'}, u'occurrence': {u'handle': u'10.1016/0020-7683(89)90096-6', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'25', u'firstpage': u'1133', u'lastpage': u'1142', u'year': u'1989', u'articletitle': {u'#text': u'Singularities interacting with interfaces and cracks', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")],
[('AUTHOR_FIRST_NAME', u'Z'), ('AUTHOR_LAST_NAME', u'Suo'), ('AUTHOR_FIRST_NAME', u'CM'), ('AUTHOR_LAST_NAME', u'Kuo'), ('AUTHOR_FIRST_NAME', u'DM'), ('AUTHOR_LAST_NAME', u'Barnett'), ('AUTHOR_FIRST_NAME', u'JR'), ('AUTHOR_LAST_NAME', u'Willis'), ('TITLE', u'Fracture'), ('TITLE', u'mechanics'), ('TITLE', u'for'), ('TITLE', u'piezoelectric'), ('TITLE', u'ceramics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Solids'), ('VOLUME', u'40'), ('YEAR', u'1992'), ('PAGE', u'739'), ('DOI', u'10.1016/0022-5096(92)90002-J'), ('REFPLAINTEXT', u'Suo, Z., Kuo, C.M., Barnett, D.M., Willis, J.R.: Fracture mechanics for piezoelectric ceramics. J. Mech. Phys. Solids 40, 739\u2013765 (1992)'), ('REFSTR', "{u'bibunstructured': u'Suo, Z., Kuo, C.M., Barnett, D.M., Willis, J.R.: Fracture mechanics for piezoelectric ceramics. J. Mech. Phys. Solids 40, 739\\u2013765 (1992)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Suo', u'initials': u'Z'}, {u'familyname': u'Kuo', u'initials': u'CM'}, {u'familyname': u'Barnett', u'initials': u'DM'}, {u'familyname': u'Willis', u'initials': u'JR'}], u'occurrence': [{u'handle': u'1163485', u'@type': u'AMSID'}, {u'handle': u'10.1016/0022-5096(92)90002-J', u'@type': u'DOI'}], u'journaltitle': u'J. Mech. Phys. Solids', u'volumeid': u'40', u'firstpage': u'739', u'lastpage': u'765', u'year': u'1992', u'articletitle': {u'#text': u'Fracture mechanics for piezoelectric ceramics', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")],
[('AUTHOR_FIRST_NAME', u'TCT'), ('AUTHOR_LAST_NAME', u'Ting'), ('YEAR', u'1996'), ('PUBLISHER', u'Anisotropic'), ('PUBLISHER', u'Elasticity:'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Ting, T.C.T.: Anisotropic Elasticity: Theory and Applications. Oxford University Press, New York (1996)'), ('REFSTR', "{u'bibunstructured': u'Ting, T.C.T.: Anisotropic Elasticity: Theory and Applications. Oxford University Press, New York (1996)', u'citationnumber': u'14.', u'@id': u'CR14', u'bibbook': {u'bibauthorname': {u'familyname': u'Ting', u'initials': u'TCT'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0883.73001', u'@type': u'ZLBID'}, u'booktitle': u'Anisotropic Elasticity: Theory and Applications', u'year': u'1996', u'publishername': u'Oxford University Press'}}")],
[('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Fan'), ('TITLE', u'A'), ('TITLE', u'piezoelectric'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'bimaterial'), ('TITLE', u'with'), ('TITLE', u'surface'), ('TITLE', u'piezoelectricity'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Mech.'), ('VOLUME', u'226'), ('YEAR', u'2015'), ('PAGE', u'3317'), ('DOI', u'10.1007/s00707-015-1382-7'), ('REFPLAINTEXT', u'Wang, X., Fan, H.: A piezoelectric screw dislocation in a bimaterial with surface piezoelectricity. Acta Mech. 226, 3317\u20133331 (2015)'), ('REFSTR', "{u'bibunstructured': u'Wang, X., Fan, H.: A piezoelectric screw dislocation in a bimaterial with surface piezoelectricity. Acta Mech. 226, 3317\\u20133331 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Wang', u'initials': u'X'}, {u'familyname': u'Fan', u'initials': u'H'}], u'occurrence': [{u'handle': u'3395517', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00707-015-1382-7', u'@type': u'DOI'}], u'journaltitle': u'Acta Mech.', u'volumeid': u'226', u'firstpage': u'3317', u'lastpage': u'3331', u'year': u'2015', u'articletitle': {u'#text': u'A piezoelectric screw dislocation in a bimaterial with surface piezoelectricity', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Schiavone'), ('TITLE', u'Debonded'), ('TITLE', u'arc'), ('TITLE', u'shaped'), ('TITLE', u'interface'), ('TITLE', u'conducting'), ('TITLE', u'rigid'), ('TITLE', u'line'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'composites'), ('JOURNAL', u'Comptes'), ('JOURNAL', u'Rendus'), ('JOURNAL', u'Mecanique'), ('VOLUME', u'345'), ('YEAR', u'2017'), ('PAGE', u'724'), ('REFPLAINTEXT', u'Wang, X., Schiavone, P.: Debonded arc shaped interface conducting rigid line inclusions in piezoelectric composites. Comptes Rendus Mecanique 345, 724\u2013731 (2017)'), ('REFSTR', "{u'bibunstructured': u'Wang, X., Schiavone, P.: Debonded arc shaped interface conducting rigid line inclusions in piezoelectric composites. Comptes Rendus Mecanique 345, 724\\u2013731 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Wang', u'initials': u'X'}, {u'familyname': u'Schiavone', u'initials': u'P'}], u'occurrence': {u'handle': u'10.1016/j.crme.2017.07.001', u'@type': u'DOI'}, u'journaltitle': u'Comptes Rendus Mecanique', u'volumeid': u'345', u'firstpage': u'724', u'lastpage': u'731', u'year': u'2017', u'articletitle': {u'#text': u'Debonded arc shaped interface conducting rigid line inclusions in piezoelectric composites', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")],
[('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Schiavone'), ('TITLE', u'Interaction'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'completely'), ('TITLE', u'coated'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('TITLE', u'and'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('JOURNAL', u'Zeitschrift'), ('JOURNAL', u'fur'), ('JOURNAL', u'angewandte'), ('JOURNAL', u'Mathematik'), ('JOURNAL', u'und'), ('JOURNAL', u'Physik'), ('VOLUME', u'70'), ('ISSUE', u'4'), ('YEAR', u'2019'), ('PAGE', u'116'), ('DOI', u'10.1007/s00033-019-1154-7'), ('REFPLAINTEXT', u'Wang, X., Schiavone, P.: Interaction between a completely coated semi-infinite crack and a screw dislocation. Zeitschrift fur angewandte Mathematik und Physik 70(4), 116 (2019)'), ('REFSTR', "{u'bibunstructured': u'Wang, X., Schiavone, P.: Interaction between a completely coated semi-infinite crack and a screw dislocation. Zeitschrift fur angewandte Mathematik und Physik 70(4), 116 (2019)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Wang', u'initials': u'X'}, {u'familyname': u'Schiavone', u'initials': u'P'}], u'issueid': u'4', u'journaltitle': u'Zeitschrift fur angewandte Mathematik und Physik', u'volumeid': u'70', u'firstpage': u'116', u'year': u'2019', u'articletitle': {u'#text': u'Interaction between a completely coated semi-infinite crack and a screw dislocation', u'@language': u'En'}, u'occurrence': [{u'handle': u'3982961', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-019-1154-7', u'@type': u'DOI'}]}, u'citationnumber': u'17.', u'@id': u'CR17'}")],
[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Harrison'), ('TITLE', u'Modelling'), ('TITLE', u'the'), ('TITLE', u'forming'), ('TITLE', u'mechanics'), ('TITLE', u'of'), ('TITLE', u'engineering'), ('TITLE', u'fabrics'), ('TITLE', u'using'), ('TITLE', u'a'), ('TITLE', u'mutually'), ('TITLE', u'constrained'), ('TITLE', u'pantographic'), ('TITLE', u'beam'), ('TITLE', u'and'), ('TITLE', u'membrane'), ('TITLE', u'mesh'), ('JOURNAL', u'Compos.'), ('JOURNAL', u'Part'), ('JOURNAL', u'A'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('JOURNAL', u'Manuf.'), ('VOLUME', u'81'), ('YEAR', u'2016'), ('PAGE', u'145'), ('REFPLAINTEXT', u'Harrison, P.: Modelling the forming mechanics of engineering fabrics using a mutually constrained pantographic beam and membrane mesh. Compos. Part A Appl. Sci. Manuf. 81, 145\u2013157 (2016)'), ('REFSTR', "{u'bibunstructured': u'Harrison, P.: Modelling the forming mechanics of engineering fabrics using a mutually constrained pantographic beam and membrane mesh. Compos. Part A Appl. Sci. Manuf. 81, 145\\u2013157 (2016)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Harrison', u'initials': u'P'}, u'occurrence': {u'handle': u'10.1016/j.compositesa.2015.11.005', u'@type': u'DOI'}, u'journaltitle': u'Compos. Part A Appl. Sci. Manuf.', u'volumeid': u'81', u'firstpage': u'145', u'lastpage': u'157', u'year': u'2016', u'articletitle': {u'#text': u'Modelling the forming mechanics of engineering fabrics using a mutually constrained pantographic beam and membrane mesh', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")],
[('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Numerical'), ('TITLE', u'simulations'), ('TITLE', u'of'), ('TITLE', u'classical'), ('TITLE', u'problems'), ('TITLE', u'in'), ('TITLE', u'two-'), ('TITLE', u'dimensional'), ('TITLE', u'(non)'), ('TITLE', u'linear'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'108'), ('YEAR', u'2016'), ('PAGE', u'34'), ('DOI', u'10.1016/j.ijengsci.2016.08.003'), ('REFPLAINTEXT', u'Andreaus, U., dell\u2019Isola, F., Giorgio, I., Placidi, L., Lekszycki, T., Rizzi, N.: Numerical simulations of classical problems in two-dimensional (non) linear second gradient elasticity. Int. J. Eng. Sci. 108, 34\u201350 (2016)'), ('REFSTR', "{u'bibunstructured': u'Andreaus, U., dell\\u2019Isola, F., Giorgio, I., Placidi, L., Lekszycki, T., Rizzi, N.: Numerical simulations of classical problems in two-dimensional (non) linear second gradient elasticity. Int. J. Eng. Sci. 108, 34\\u201350 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Andreaus', u'initials': u'U'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Placidi', u'initials': u'L'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'occurrence': [{u'handle': u'3546241', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.ijengsci.2016.08.003', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'108', u'firstpage': u'34', u'lastpage': u'50', u'year': u'2016', u'articletitle': {u'#text': u'Numerical simulations of classical problems in two-dimensional (non) linear second gradient elasticity', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")],
[('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Auffray'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Dirrenberger'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Rosi'), ('TITLE', u'A'), ('TITLE', u'complete'), ('TITLE', u'description'), ('TITLE', u'of'), ('TITLE', u'bi-'), ('TITLE', u'dimensional'), ('TITLE', u'anisotropic'), ('TITLE', u'strain-'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'69'), ('YEAR', u'2015'), ('PAGE', u'195'), ('REFPLAINTEXT', u'Auffray, N., Dirrenberger, J., Rosi, G.: A complete description of bi-dimensional anisotropic strain-gradient elasticity. Int. J. Solids Struct. 69, 195\u2013206 (2015)'), ('REFSTR', "{u'bibunstructured': u'Auffray, N., Dirrenberger, J., Rosi, G.: A complete description of bi-dimensional anisotropic strain-gradient elasticity. Int. J. Solids Struct. 69, 195\\u2013206 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Auffray', u'initials': u'N'}, {u'familyname': u'Dirrenberger', u'initials': u'J'}, {u'familyname': u'Rosi', u'initials': u'G'}], u'occurrence': {u'handle': u'10.1016/j.ijsolstr.2015.04.036', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'69', u'firstpage': u'195', u'lastpage': u'206', u'year': u'2015', u'articletitle': {u'#text': u'A complete description of bi-dimensional anisotropic strain-gradient elasticity', u'@language': u'En'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Battista'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Rosa'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'dellErba'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Greco'), ('TITLE', u'Numerical'), ('TITLE', u'investigation'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'particle'), ('TITLE', u'system'), ('TITLE', u'compared'), ('TITLE', u'with'), ('TITLE', u'first'), ('TITLE', u'and'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'continua:'), ('TITLE', u'deformation'), ('TITLE', u'and'), ('TITLE', u'fracture'), ('TITLE', u'phenomena'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('YEAR', u'2016'), ('DOI', u'10.1177/1081286516657889'), ('REFPLAINTEXT', u'Battista, A., Rosa, L., dell\u2019Erba, R., Greco, L.: Numerical investigation of a particle system compared with first and second gradient continua: deformation and fracture phenomena. Math. Mech. Solids (2016).'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Battista, A., Rosa, L., dell\\u2019Erba, R., Greco, L.: Numerical investigation of a particle system compared with first and second gradient continua: deformation and fracture phenomena. Math. Mech. Solids (2016).', u'externalref': {u'refsource': u'https://doi.org/10.1177/1081286516657889', u'reftarget': {u'@address': u'10.1177/1081286516657889', u'@targettype': u'DOI'}}}, u'bibarticle': {u'bibauthorname': [{u'familyname': u'Battista', u'initials': u'A'}, {u'familyname': u'Rosa', u'initials': u'L'}, {u'familyname': u'dell\\u2019Erba', u'initials': u'R'}, {u'familyname': u'Greco', u'initials': u'L'}], u'occurrence': [{u'handle': u'10.1177/1081286516657889', u'@type': u'DOI'}, {u'handle': u'1395.74005', u'@type': u'ZLBID'}], u'journaltitle': u'Math. Mech. Solids', u'bibarticledoi': u'10.1177/1081286516657889', u'year': u'2016', u'articletitle': {u'#text': u'Numerical investigation of a particle system compared with first and second gradient continua: deformation and fracture phenomena', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('AUTHOR_FIRST_NAME', u'DJ'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('TITLE', u'The'), ('TITLE', u'variational'), ('TITLE', u'structure'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'nonlinear'), ('TITLE', u'theory'), ('TITLE', u'for'), ('TITLE', u'spatial'), ('TITLE', u'lattices'), ('JOURNAL', u'Meccanica'), ('VOLUME', u'31'), ('YEAR', u'1996'), ('PAGE', u'441'), ('DOI', u'10.1007/BF00429932'), ('REFPLAINTEXT', u'Steigmann, D.J.: The variational structure of a nonlinear theory for spatial lattices. Meccanica 31, 441\u2013455 (1996)'), ('REFSTR', "{u'bibunstructured': u'Steigmann, D.J.: The variational structure of a nonlinear theory for spatial lattices. Meccanica 31, 441\\u2013455 (1996)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Steigmann', u'initials': u'DJ'}, u'occurrence': [{u'handle': u'1404203', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF00429932', u'@type': u'DOI'}], u'journaltitle': u'Meccanica', u'volumeid': u'31', u'firstpage': u'441', u'lastpage': u'455', u'year': u'1996', u'articletitle': {u'#text': u'The variational structure of a nonlinear theory for spatial lattices', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Grygoruk'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Greco'), ('TITLE', u'Designing'), ('TITLE', u'a'), ('TITLE', u'light'), ('TITLE', u'fabric'), ('TITLE', u'metamaterial'), ('TITLE', u'being'), ('TITLE', u'highly'), ('TITLE', u'macroscopically'), ('TITLE', u'tough'), ('TITLE', u'under'), ('TITLE', u'directional'), ('TITLE', u'extension:'), ('TITLE', u'first'), ('TITLE', u'experimental'), ('TITLE', u'evidence'), ('JOURNAL', u'Z.'), ('JOURNAL', u'f\xfcr'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('YEAR', u'2015'), ('PAGE', u'3473'), ('DOI', u'10.1007/s00033-015-0556-4'), ('REFPLAINTEXT', u'dell\u2019Isola, F., Lekszycki, T., Pawlikowski, M., Grygoruk, R., Greco, L.: Designing a light fabric metamaterial being highly macroscopically tough under directional extension: first experimental evidence. Z. f\xfcr Angew. Math. Phys. 66, 3473\u20133498 (2015)'), ('REFSTR', "{u'bibunstructured': u'dell\\u2019Isola, F., Lekszycki, T., Pawlikowski, M., Grygoruk, R., Greco, L.: Designing a light fabric metamaterial being highly macroscopically tough under directional extension: first experimental evidence. Z. f\\xfcr Angew. Math. Phys. 66, 3473\\u20133498 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'Grygoruk', u'initials': u'R'}, {u'familyname': u'Greco', u'initials': u'L'}], u'occurrence': [{u'handle': u'3428477', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-015-0556-4', u'@type': u'DOI'}], u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'3473', u'lastpage': u'3498', u'year': u'2015', u'articletitle': {u'#text': u'Designing a light fabric metamaterial being highly macroscopically tough under directional extension: first experimental evidence', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")],
[('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Della Corte'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'DJ'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('TITLE', u'Buckling'), ('TITLE', u'modes'), ('TITLE', u'in'), ('TITLE', u'pantographic'), ('TITLE', u'lattices'), ('JOURNAL', u'C.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Mec.'), ('VOLUME', u'344'), ('YEAR', u'2016'), ('PAGE', u'487'), ('REFPLAINTEXT', u'Giorgio, I., Della Corte, A., dell\u2019Isola, F., Steigmann, D.J.: Buckling modes in pantographic lattices. C. R. Mec. 344, 487\u2013501 (2016)'), ('REFSTR', "{u'bibunstructured': u'Giorgio, I., Della Corte, A., dell\\u2019Isola, F., Steigmann, D.J.: Buckling modes in pantographic lattices. C. R. Mec. 344, 487\\u2013501 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Della Corte', u'initials': u'A'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Steigmann', u'initials': u'DJ'}], u'occurrence': {u'handle': u'10.1016/j.crme.2016.02.009', u'@type': u'DOI'}, u'journaltitle': u'C. R. Mec.', u'volumeid': u'344', u'firstpage': u'487', u'lastpage': u'501', u'year': u'2016', u'articletitle': {u'#text': u'Buckling modes in pantographic lattices', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")],
[('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Della Corte'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Dynamics'), ('TITLE', u'of'), ('TITLE', u'1D'), ('TITLE', u'nonlinear'), ('TITLE', u'pantographic'), ('TITLE', u'continua'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Dyn.'), ('VOLUME', u'88'), ('YEAR', u'2017'), ('PAGE', u'21'), ('REFPLAINTEXT', u'Giorgio, I., Della Corte, A., dell\u2019Isola, F.: Dynamics of 1D nonlinear pantographic continua. Nonlinear Dyn. 88, 21\u201331 (2017)'), ('REFSTR', "{u'bibunstructured': u'Giorgio, I., Della Corte, A., dell\\u2019Isola, F.: Dynamics of 1D nonlinear pantographic continua. Nonlinear Dyn. 88, 21\\u201331 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Della Corte', u'initials': u'A'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1007/s11071-016-3228-9', u'@type': u'DOI'}, u'journaltitle': u'Nonlinear Dyn.', u'volumeid': u'88', u'firstpage': u'21', u'lastpage': u'31', u'year': u'2017', u'articletitle': {u'#text': u'Dynamics of 1D nonlinear pantographic continua', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Misra'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Hild'), ('TITLE', u'Enhanced'), ('TITLE', u'PiolaHencky'), ('TITLE', u'discrete'), ('TITLE', u'models'), ('TITLE', u'for'), ('TITLE', u'pantographic'), ('TITLE', u'sheets'), ('TITLE', u'with'), ('TITLE', u'pivots'), ('TITLE', u'without'), ('TITLE', u'deformation'), ('TITLE', u'energy:'), ('TITLE', u'numerics'), ('TITLE', u'and'), ('TITLE', u'experiments'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'147'), ('YEAR', u'2018'), ('PAGE', u'94'), ('REFPLAINTEXT', u'Turco, E., Misra, A., Pawlikowski, M., dell\u2019Isola, F., Hild, F.: Enhanced Piola\u2013Hencky discrete models for pantographic sheets with pivots without deformation energy: numerics and experiments. Int. J. Solids Struct. 147, 94\u2013109 (2018)'), ('REFSTR', "{u'bibunstructured': u'Turco, E., Misra, A., Pawlikowski, M., dell\\u2019Isola, F., Hild, F.: Enhanced Piola\\u2013Hencky discrete models for pantographic sheets with pivots without deformation energy: numerics and experiments. Int. J. Solids Struct. 147, 94\\u2013109 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Misra', u'initials': u'A'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Hild', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1016/j.ijsolstr.2018.05.015', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'147', u'firstpage': u'94', u'lastpage': u'109', u'year': u'2018', u'articletitle': {u'#text': u'Enhanced Piola\\u2013Hencky discrete models for pantographic sheets with pivots without deformation energy: numerics and experiments', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Golaszewski'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Cazzani'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Large'), ('TITLE', u'deformations'), ('TITLE', u'induced'), ('TITLE', u'in'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'sheets'), ('TITLE', u'by'), ('TITLE', u'loads'), ('TITLE', u'applied'), ('TITLE', u'on'), ('TITLE', u'fibers:'), ('TITLE', u'experimental'), ('TITLE', u'validation'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'discrete'), ('TITLE', u'Lagrangian'), ('TITLE', u'model'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Res.'), ('JOURNAL', u'Commun.'), ('VOLUME', u'76'), ('YEAR', u'2016'), ('PAGE', u'51'), ('REFPLAINTEXT', u'Turco, E., Golaszewski, M., Cazzani, A., Rizzi, N.: Large deformations induced in planar pantographic sheets by loads applied on fibers: experimental validation of a discrete Lagrangian model. Mech. Res. Commun. 76, 51\u201356 (2016a)'), ('REFSTR', "{u'bibunstructured': u'Turco, E., Golaszewski, M., Cazzani, A., Rizzi, N.: Large deformations induced in planar pantographic sheets by loads applied on fibers: experimental validation of a discrete Lagrangian model. Mech. Res. Commun. 76, 51\\u201356 (2016a)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Golaszewski', u'initials': u'M'}, {u'familyname': u'Cazzani', u'initials': u'A'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'occurrence': {u'handle': u'10.1016/j.mechrescom.2016.07.001', u'@type': u'DOI'}, u'journaltitle': u'Mech. Res. Commun.', u'volumeid': u'76', u'firstpage': u'51', u'lastpage': u'56', u'year': u'2016', u'articletitle': {u'#text': u'Large deformations induced in planar pantographic sheets by loads applied on fibers: experimental validation of a discrete Lagrangian model', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Barcz'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Non-'), ('TITLE', u'standard'), ('TITLE', u'coupled'), ('TITLE', u'extensional'), ('TITLE', u'and'), ('TITLE', u'bending'), ('TITLE', u'bias'), ('TITLE', u'tests'), ('TITLE', u'for'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'lattices.'), ('TITLE', u'Part'), ('TITLE', u'I:'), ('TITLE', u'numerical'), ('TITLE', u'simulations'), ('JOURNAL', u'Z.'), ('JOURNAL', u'f\xfcr'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('YEAR', u'2016'), ('PAGE', u'122'), ('DOI', u'10.1007/s00033-016-0713-4'), ('REFPLAINTEXT', u'Turco, E., Barcz, K., Pawlikowski, M., Rizzi, N.: Non-standard coupled extensional and bending bias tests for planar pantographic lattices. Part I: numerical simulations. Z. f\xfcr Angew. Math. Phys. 67, 122 (2016)'), ('REFSTR', "{u'bibunstructured': u'Turco, E., Barcz, K., Pawlikowski, M., Rizzi, N.: Non-standard coupled extensional and bending bias tests for planar pantographic lattices. Part I: numerical simulations. Z. f\\xfcr Angew. Math. Phys. 67, 122 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Barcz', u'initials': u'K'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'occurrence': [{u'handle': u'3547709', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0713-4', u'@type': u'DOI'}], u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'122', u'year': u'2016', u'articletitle': {u'#text': u'Non-standard coupled extensional and bending bias tests for planar pantographic lattices. Part I: numerical simulations', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")],
[('AUTHOR_FIRST_NAME', u'JJ'), ('AUTHOR_LAST_NAME', u'Alibert'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Truss'), ('TITLE', u'modular'), ('TITLE', u'beams'), ('TITLE', u'with'), ('TITLE', u'deformation'), ('TITLE', u'energy'), ('TITLE', u'depending'), ('TITLE', u'on'), ('TITLE', u'higher'), ('TITLE', u'displacement'), ('TITLE', u'gradients'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'8'), ('YEAR', u'2003'), ('PAGE', u'51'), ('DOI', u'10.1177/1081286503008001658'), ('REFPLAINTEXT', u'Alibert, J.J., Seppecher, P., dell\u2019Isola, F.: Truss modular beams with deformation energy depending on higher displacement gradients. Math. Mech. Solids 8, 51\u201373 (2003)'), ('REFSTR', "{u'bibunstructured': u'Alibert, J.J., Seppecher, P., dell\\u2019Isola, F.: Truss modular beams with deformation energy depending on higher displacement gradients. Math. Mech. Solids 8, 51\\u201373 (2003)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Alibert', u'initials': u'JJ'}, {u'familyname': u'Seppecher', u'initials': u'P'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': [{u'handle': u'1959303', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286503008001658', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'8', u'firstpage': u'51', u'lastpage': u'73', u'year': u'2003', u'articletitle': {u'#text': u'Truss modular beams with deformation energy depending on higher displacement gradients', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")],
[('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'SR'), ('AUTHOR_LAST_NAME', u'Eugster'), ('TITLE', u'A'), ('TITLE', u'Ritz'), ('TITLE', u'approach'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'static'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'structures'), ('TITLE', u'modeled'), ('TITLE', u'with'), ('TITLE', u'nonlinear'), ('TITLE', u'EulerBernoulli'), ('TITLE', u'beams'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Thermodyn.'), ('VOLUME', u'30'), ('YEAR', u'2018'), ('PAGE', u'1103'), ('DOI', u'10.1007/s00161-018-0665-3'), ('REFPLAINTEXT', u'Andreaus, U., Spagnuolo, M., Lekszycki, T., Eugster, S.R.: A Ritz approach for the static analysis of planar pantographic structures modeled with nonlinear Euler\u2013Bernoulli beams. Contin. Mech. Thermodyn. 30, 1103\u20131123 (2018)'), ('REFSTR', "{u'bibunstructured': u'Andreaus, U., Spagnuolo, M., Lekszycki, T., Eugster, S.R.: A Ritz approach for the static analysis of planar pantographic structures modeled with nonlinear Euler\\u2013Bernoulli beams. Contin. Mech. Thermodyn. 30, 1103\\u20131123 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Andreaus', u'initials': u'U'}, {u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Eugster', u'initials': u'SR'}], u'occurrence': [{u'handle': u'3842030', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00161-018-0665-3', u'@type': u'DOI'}], u'journaltitle': u'Contin. Mech. Thermodyn.', u'volumeid': u'30', u'firstpage': u'1103', u'lastpage': u'1123', u'year': u'2018', u'articletitle': {u'#text': u'A Ritz approach for the static analysis of planar pantographic structures modeled with nonlinear Euler\\u2013Bernoulli beams', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Barcz'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Pfaff'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Franciosi'), ('TITLE', u'Qualitative'), ('TITLE', u'pivot'), ('TITLE', u'damage'), ('TITLE', u'analysis'), ('TITLE', u'in'), ('TITLE', u'aluminum'), ('TITLE', u'printed'), ('TITLE', u'pantographic'), ('TITLE', u'sheets:'), ('TITLE', u'numerics'), ('TITLE', u'and'), ('TITLE', u'experiments'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Res.'), ('JOURNAL', u'Commun.'), ('VOLUME', u'83'), ('YEAR', u'2017'), ('PAGE', u'47'), ('REFPLAINTEXT', u'Spagnuolo, M., Barcz, K., Pfaff, A., dell\u2019Isola, F., Franciosi, P.: Qualitative pivot damage analysis in aluminum printed pantographic sheets: numerics and experiments. Mech. Res. Commun. 83, 47\u201352 (2017)'), ('REFSTR', "{u'bibunstructured': u'Spagnuolo, M., Barcz, K., Pfaff, A., dell\\u2019Isola, F., Franciosi, P.: Qualitative pivot damage analysis in aluminum printed pantographic sheets: numerics and experiments. Mech. Res. Commun. 83, 47\\u201352 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Barcz', u'initials': u'K'}, {u'familyname': u'Pfaff', u'initials': u'A'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Franciosi', u'initials': u'P'}], u'occurrence': {u'handle': u'10.1016/j.mechrescom.2017.05.005', u'@type': u'DOI'}, u'journaltitle': u'Mech. Res. Commun.', u'volumeid': u'83', u'firstpage': u'47', u'lastpage': u'52', u'year': u'2017', u'articletitle': {u'#text': u'Qualitative pivot damage analysis in aluminum printed pantographic sheets: numerics and experiments', u'@language': u'En'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")],
[('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Scerrato'), ('AUTHOR_FIRST_NAME', u'IA'), ('AUTHOR_LAST_NAME', u'Zhurba Eremeeva'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'NL'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'effect'), ('TITLE', u'of'), ('TITLE', u'shear'), ('TITLE', u'stiffness'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'plane'), ('TITLE', u'deformation'), ('TITLE', u'of'), ('TITLE', u'linear'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'pantographic'), ('TITLE', u'sheets'), ('JOURNAL', u'ZAMM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Z.'), ('JOURNAL', u'f\xfcr'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'96'), ('YEAR', u'2016'), ('PAGE', u'1268'), ('DOI', u'10.1002/zamm.201600066'), ('REFPLAINTEXT', u'Scerrato, D., Zhurba Eremeeva, I.A., Lekszycki, T., Rizzi, N.L.: On the effect of shear stiffness on the plane deformation of linear second gradient pantographic sheets. ZAMM J. Appl. Math. Mech. Z. f\xfcr Angew. Math. Mech. 96, 1268\u20131279 (2016)'), ('REFSTR', "{u'bibunstructured': u'Scerrato, D., Zhurba Eremeeva, I.A., Lekszycki, T., Rizzi, N.L.: On the effect of shear stiffness on the plane deformation of linear second gradient pantographic sheets. ZAMM J. Appl. Math. Mech. Z. f\\xfcr Angew. Math. Mech. 96, 1268\\u20131279 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Scerrato', u'initials': u'D'}, {u'familyname': u'Zhurba Eremeeva', u'initials': u'IA'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Rizzi', u'initials': u'NL'}], u'occurrence': [{u'handle': u'3580283', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201600066', u'@type': u'DOI'}], u'journaltitle': u'ZAMM J. Appl. Math. Mech. Z. f\\xfcr Angew. Math. Mech.', u'volumeid': u'96', u'firstpage': u'1268', u'lastpage': u'1279', u'year': u'2016', u'articletitle': {u'#text': u'On the effect of shear stiffness on the plane deformation of linear second gradient pantographic sheets', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Cuomo'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Greco'), ('TITLE', u'Simplified'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'generalized'), ('TITLE', u'bias'), ('TITLE', u'test'), ('TITLE', u'for'), ('TITLE', u'fabrics'), ('TITLE', u'with'), ('TITLE', u'two'), ('TITLE', u'families'), ('TITLE', u'of'), ('TITLE', u'inextensible'), ('TITLE', u'fibres'), ('JOURNAL', u'Z.'), ('JOURNAL', u'f\xfcr'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('YEAR', u'2016'), ('PAGE', u'61'), ('DOI', u'10.1007/s00033-016-0653-z'), ('REFPLAINTEXT', u'Cuomo, M., dell\u2019Isola, F., Greco, L.: Simplified analysis of a generalized bias test for fabrics with two families of inextensible fibres. Z. f\xfcr Angew. Math. Phys. 67, 61 (2016)'), ('REFSTR', "{u'bibunstructured': u'Cuomo, M., dell\\u2019Isola, F., Greco, L.: Simplified analysis of a generalized bias test for fabrics with two families of inextensible fibres. Z. f\\xfcr Angew. Math. Phys. 67, 61 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Cuomo', u'initials': u'M'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Greco', u'initials': u'L'}], u'occurrence': [{u'handle': u'3494482', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0653-z', u'@type': u'DOI'}], u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'61', u'year': u'2016', u'articletitle': {u'#text': u'Simplified analysis of a generalized bias test for fabrics with two families of inextensible fibres', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'NL'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Large'), ('TITLE', u'deformations'), ('TITLE', u'of'), ('TITLE', u'planar'), ('TITLE', u'extensible'), ('TITLE', u'beams'), ('TITLE', u'and'), ('TITLE', u'pantographic'), ('TITLE', u'lattices:'), ('TITLE', u'heuristic'), ('TITLE', u'homogenization,'), ('TITLE', u'experimental'), ('TITLE', u'and'), ('TITLE', u'numerical'), ('TITLE', u'examples'), ('TITLE', u'of'), ('TITLE', u'equilibrium'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('VOLUME', u'472'), ('YEAR', u'2016'), ('PAGE', u'20150790'), ('REFPLAINTEXT', u'dell\u2019Isola, F., Giorgio, I., Pawlikowski, M., Rizzi, N.L.: Large deformations of planar extensible beams and pantographic lattices: heuristic homogenization, experimental and numerical examples of equilibrium. Proc. R. Soc. A 472, 20150790 (2016)'), ('REFSTR', "{u'bibunstructured': u'dell\\u2019Isola, F., Giorgio, I., Pawlikowski, M., Rizzi, N.L.: Large deformations of planar extensible beams and pantographic lattices: heuristic homogenization, experimental and numerical examples of equilibrium. Proc. R. Soc. A 472, 20150790 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'Rizzi', u'initials': u'NL'}], u'occurrence': {u'handle': u'10.1098/rspa.2015.0790', u'@type': u'DOI'}, u'journaltitle': u'Proc. R. Soc. A', u'volumeid': u'472', u'firstpage': u'20150790', u'year': u'2016', u'articletitle': {u'#text': u'Large deformations of planar extensible beams and pantographic lattices: heuristic homogenization, experimental and numerical examples of equilibrium', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Misra'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Ganzosch'), ('AUTHOR_FIRST_NAME', u'WH'), ('AUTHOR_LAST_NAME', u'Mller'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Pantographic'), ('TITLE', u'metamaterials'), ('TITLE', u'show'), ('TITLE', u'a'), ('TITLE', u'typical'), ('TITLE', u'Poynting'), ('TITLE', u'effect'), ('TITLE', u'reversal'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Res.'), ('JOURNAL', u'Commun.'), ('VOLUME', u'89'), ('YEAR', u'2018'), ('PAGE', u'6'), ('REFPLAINTEXT', u'Misra, A., Lekszycki, T., Giorgio, I., Ganzosch, G., M\xfcller, W.H., dell\u2019Isola, F.: Pantographic metamaterials show a typical Poynting effect reversal. Mech. Res. Commun. 89, 6\u201310 (2018)'), ('REFSTR', "{u'bibunstructured': u'Misra, A., Lekszycki, T., Giorgio, I., Ganzosch, G., M\\xfcller, W.H., dell\\u2019Isola, F.: Pantographic metamaterials show a typical Poynting effect reversal. Mech. Res. Commun. 89, 6\\u201310 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Misra', u'initials': u'A'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Ganzosch', u'initials': u'G'}, {u'familyname': u'M\\xfcller', u'initials': u'WH'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1016/j.mechrescom.2018.02.003', u'@type': u'DOI'}, u'journaltitle': u'Mech. Res. Commun.', u'volumeid': u'89', u'firstpage': u'6', u'lastpage': u'10', u'year': u'2018', u'articletitle': {u'#text': u'Pantographic metamaterials show a typical Poynting effect reversal', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")],
[('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Boutin'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('TITLE', u'Linear'), ('TITLE', u'pantographic'), ('TITLE', u'sheets:'), ('TITLE', u'Existence'), ('TITLE', u'and'), ('TITLE', u'uniqueness'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'132'), ('YEAR', u'2017'), ('PAGE', u'1'), ('REFPLAINTEXT', u'Eremeyev, V.A., dell\u2019Isola, F., Boutin, C., Steigmann, D.: Linear pantographic sheets: Existence and uniqueness of weak solutions. J. Elast. 132, 1\u201322 (2017)'), ('REFSTR', "{u'bibunstructured': u'Eremeyev, V.A., dell\\u2019Isola, F., Boutin, C., Steigmann, D.: Linear pantographic sheets: Existence and uniqueness of weak solutions. J. Elast. 132, 1\\u201322 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eremeyev', u'initials': u'VA'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Boutin', u'initials': u'C'}, {u'familyname': u'Steigmann', u'initials': u'D'}], u'occurrence': [{u'handle': u'3831319', u'@type': u'AMSID'}, {u'handle': u'1398.74011', u'@type': u'ZLBID'}], u'journaltitle': u'J. Elast.', u'volumeid': u'132', u'firstpage': u'1', u'lastpage': u'22', u'year': u'2017', u'articletitle': {u'#text': u'Linear pantographic sheets: Existence and uniqueness of weak solutions', u'@language': u'En'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")],
[('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Barchiesi'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'A'), ('TITLE', u'review'), ('TITLE', u'on'), ('TITLE', u'2D'), ('TITLE', u'models'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'description'), ('TITLE', u'of'), ('TITLE', u'pantographic'), ('TITLE', u'fabrics'), ('JOURNAL', u'Z.'), ('JOURNAL', u'f\xfcr'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('ISSUE', u'5'), ('YEAR', u'2016'), ('PAGE', u'121'), ('DOI', u'10.1007/s00033-016-0716-1'), ('REFPLAINTEXT', u'Placidi, L., Barchiesi, E., Turco, E., Rizzi, N.: A review on 2D models for the description of pantographic fabrics. Z. f\xfcr Angew. Math. Phys. 67(5), 121 (2016)'), ('REFSTR', "{u'bibunstructured': u'Placidi, L., Barchiesi, E., Turco, E., Rizzi, N.: A review on 2D models for the description of pantographic fabrics. Z. f\\xfcr Angew. Math. Phys. 67(5), 121 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Placidi', u'initials': u'L'}, {u'familyname': u'Barchiesi', u'initials': u'E'}, {u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'issueid': u'5', u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'121', u'year': u'2016', u'articletitle': {u'#text': u'A review on 2D models for the description of pantographic fabrics', u'@language': u'En'}, u'occurrence': [{u'handle': u'3546348', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0716-1', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")],
[('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('TITLE', u'Identification'), ('TITLE', u'of'), ('TITLE', u'two-'), ('TITLE', u'dimensional'), ('TITLE', u'pantographic'), ('TITLE', u'structure'), ('TITLE', u'via'), ('TITLE', u'a'), ('TITLE', u'linear'), ('TITLE', u'D4'), ('TITLE', u'orthotropic'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'elastic'), ('TITLE', u'model'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Math.'), ('VOLUME', u'103'), ('YEAR', u'2016'), ('PAGE', u'1'), ('DOI', u'10.1007/s10665-016-9856-8'), ('REFPLAINTEXT', u'Placidi, L., Andreaus, U., Giorgio, I.: Identification of two-dimensional pantographic structure via a linear D4 orthotropic second gradient elastic model. J. Eng. Math. 103, 1\u201321 (2016)'), ('REFSTR', "{u'bibunstructured': u'Placidi, L., Andreaus, U., Giorgio, I.: Identification of two-dimensional pantographic structure via a linear D4 orthotropic second gradient elastic model. J. Eng. Math. 103, 1\\u201321 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Placidi', u'initials': u'L'}, {u'familyname': u'Andreaus', u'initials': u'U'}, {u'familyname': u'Giorgio', u'initials': u'I'}], u'occurrence': [{u'handle': u'3624977', u'@type': u'AMSID'}, {u'handle': u'10.1007/s10665-016-9856-8', u'@type': u'DOI'}], u'journaltitle': u'J. Eng. Math.', u'volumeid': u'103', u'firstpage': u'1', u'lastpage': u'21', u'year': u'2016', u'articletitle': {u'#text': u'Identification of two-dimensional pantographic structure via a linear D4 orthotropic second gradient elastic model', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")],
[('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('TITLE', u'Numerical'), ('TITLE', u'identification'), ('TITLE', u'procedure'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'micro-'), ('TITLE', u'Cauchy'), ('TITLE', u'model'), ('TITLE', u'and'), ('TITLE', u'a'), ('TITLE', u'macro-'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'model'), ('TITLE', u'for'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'structures'), ('JOURNAL', u'Z.'), ('JOURNAL', u'f\xfcr'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('ISSUE', u'4'), ('YEAR', u'2016'), ('PAGE', u'95'), ('DOI', u'10.1007/s00033-016-0692-5'), ('REFPLAINTEXT', u'Giorgio, I.: Numerical identification procedure between a micro-Cauchy model and a macro-second gradient model for planar pantographic structures. Z. f\xfcr Angew. Math. Phys. 67(4), 95 (2016)'), ('REFSTR', "{u'bibunstructured': u'Giorgio, I.: Numerical identification procedure between a micro-Cauchy model and a macro-second gradient model for planar pantographic structures. Z. f\\xfcr Angew. Math. Phys. 67(4), 95 (2016)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Giorgio', u'initials': u'I'}, u'issueid': u'4', u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'95', u'year': u'2016', u'articletitle': {u'#text': u'Numerical identification procedure between a micro-Cauchy model and a macro-second gradient model for planar pantographic structures', u'@language': u'En'}, u'occurrence': [{u'handle': u'3528393', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0692-5', u'@type': u'DOI'}]}, u'citationnumber': u'22.', u'@id': u'CR22'}")],
[('AUTHOR_FIRST_NAME', u'Ivo'), ('AUTHOR_LAST_NAME', u'Babuka'), ('YEAR', u'1976'), ('PAGE', u'137'), ('PUBLISHER', u'Lecture'), ('PUBLISHER', u'Notes'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Economics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Systems'), ('REFPLAINTEXT', u'Babu\u0161ka, I.: Homogenization approach in engineering. In: Glowinski R., Lions J.L. (eds.) Computing Methods in Applied Sciences and Engineering, pp. 137\u2013153. Springer, Berlin (1976)'), ('REFSTR', "{u'bibunstructured': u'Babu\\u0161ka, I.: Homogenization approach in engineering. In: Glowinski R., Lions J.L. (eds.) Computing Methods in Applied Sciences and Engineering, pp. 137\\u2013153. Springer, Berlin (1976)', u'bibchapter': {u'bibauthorname': {u'familyname': u'Babu\\u0161ka', u'initials': u'Ivo'}, u'publisherlocation': u'Berlin, Heidelberg', u'booktitle': u'Lecture Notes in Economics and Mathematical Systems', u'firstpage': u'137', u'lastpage': u'153', u'year': u'1976', u'publishername': u'Springer Berlin Heidelberg', u'chaptertitle': {u'#text': u'Homogenization Approach In Engineering', u'@language': u'--'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Allaire'), ('TITLE', u'Homogenization'), ('TITLE', u'and'), ('TITLE', u'two-'), ('TITLE', u'scale'), ('TITLE', u'convergence'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'23'), ('YEAR', u'1992'), ('PAGE', u'1482'), ('DOI', u'10.1137/0523084'), ('REFPLAINTEXT', u'Allaire, G.: Homogenization and two-scale convergence. SIAM J. Math. Anal. 23, 1482\u20131518 (1992)'), ('REFSTR', "{u'bibunstructured': u'Allaire, G.: Homogenization and two-scale convergence. SIAM J. Math. Anal. 23, 1482\\u20131518 (1992)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Allaire', u'initials': u'G'}, u'occurrence': [{u'handle': u'1185639', u'@type': u'AMSID'}, {u'handle': u'10.1137/0523084', u'@type': u'DOI'}], u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'23', u'firstpage': u'1482', u'lastpage': u'1518', u'year': u'1992', u'articletitle': {u'#text': u'Homogenization and two-scale convergence', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")],
[('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Tartar'), ('YEAR', u'2009'), ('PUBLISHER', u'The'), ('PUBLISHER', u'general'), ('PUBLISHER', u'theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'homogenization:'), ('PUBLISHER', u'A'), ('PUBLISHER', u'personalized'), ('PUBLISHER', u'introduction'), ('REFPLAINTEXT', u'Tartar, L.: The general theory of homogenization: A personalized introduction. Springer, Berlin (2009)'), ('REFSTR', "{u'bibunstructured': u'Tartar, L.: The general theory of homogenization: A personalized introduction. Springer, Berlin (2009)', u'citationnumber': u'25.', u'@id': u'CR25', u'bibbook': {u'bibauthorname': {u'familyname': u'Tartar', u'initials': u'L'}, u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'1188.35004', u'@type': u'ZLBID'}, u'booktitle': u'The general theory of homogenization: A personalized introduction', u'year': u'2009', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'Wenbin'), ('AUTHOR_LAST_NAME', u'Yu'), ('AUTHOR_FIRST_NAME', u'Tian'), ('AUTHOR_LAST_NAME', u'Tang'), ('YEAR', u'2009'), ('PAGE', u'117'), ('PUBLISHER', u'Solid'), ('PUBLISHER', u'Mechanics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Its'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Yu, W., Tang, T.: Variational asymptotic method for unit cell homogenization. In: Gilat, R., Banks-Sills, L. (eds.) Advances in Mathematical Modeling and Experimental Methods for Materials and Structures, pp. 117\u2013130. Springer, Berlin (2009)'), ('REFSTR', "{u'bibunstructured': u'Yu, W., Tang, T.: Variational asymptotic method for unit cell homogenization. In: Gilat, R., Banks-Sills, L. (eds.) Advances in Mathematical Modeling and Experimental Methods for Materials and Structures, pp. 117\\u2013130. Springer, Berlin (2009)', u'bibchapter': {u'bibauthorname': [{u'familyname': u'Yu', u'initials': u'Wenbin'}, {u'familyname': u'Tang', u'initials': u'Tian'}], u'publisherlocation': u'Dordrecht', u'booktitle': u'Solid Mechanics and Its Applications', u'firstpage': u'117', u'lastpage': u'130', u'year': u'2009', u'publishername': u'Springer Netherlands', u'chaptertitle': {u'#text': u'Variational Asymptotic Method for Unit Cell Homogenization', u'@language': u'--'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")],
[('REFPLAINTEXT', u'Golaszewski, M., Grygoruk, R., Giorgio, I., Laudato, M., & Di Cosmo, F.: Metamaterials with relative displacements in their microstructure: technological challenges in 3D printing, experiments and numerical predictions. Continuum Mech Thermodyn 31(4), 1015\u20131034 (2019)'), ('REFSTR', "{u'bibunstructured': u'Golaszewski, M., Grygoruk, R., Giorgio, I., Laudato, M., & Di Cosmo, F.: Metamaterials with relative displacements in their microstructure: technological challenges in 3D printing, experiments and numerical predictions. Continuum Mech Thermodyn 31(4), 1015\\u20131034 (2019)', u'citationnumber': u'27.', u'@id': u'CR27'}")],
[('REFPLAINTEXT', u'Yang, T., Bellouard, Y.: 3D electrostatic actuator fabricated by non-ablative femtosecond laser exposure and chemical etching. In: MATEC Web of Conferences vol. 32. EDP Sciences (2015)'), ('REFSTR', "{u'bibunstructured': u'Yang, T., Bellouard, Y.: 3D electrostatic actuator fabricated by non-ablative femtosecond laser exposure and chemical etching. In: MATEC Web of Conferences vol. 32. EDP Sciences (2015)', u'citationnumber': u'28.', u'@id': u'CR28'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Koch'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Lehr'), ('AUTHOR_FIRST_NAME', u'O'), ('AUTHOR_LAST_NAME', u'Schnbrodt'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Glaser'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Fechner'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Frost'), ('TITLE', u'Manufacturing'), ('TITLE', u'of'), ('TITLE', u'highly-'), ('TITLE', u'dispersive,'), ('TITLE', u'high-'), ('TITLE', u'efficiency'), ('TITLE', u'transmission'), ('TITLE', u'gratings'), ('TITLE', u'by'), ('TITLE', u'laser'), ('TITLE', u'interference'), ('TITLE', u'lithography'), ('TITLE', u'and'), ('TITLE', u'dry'), ('TITLE', u'etching'), ('JOURNAL', u'Microelectron.'), ('JOURNAL', u'Eng.'), ('VOLUME', u'191'), ('YEAR', u'2018'), ('PAGE', u'60'), ('REFPLAINTEXT', u'Koch, F., Lehr, D., Sch\xf6nbrodt, O., Glaser, T., Fechner, R., Frost, F.: Manufacturing of highly-dispersive, high-efficiency transmission gratings by laser interference lithography and dry etching. Microelectron. Eng. 191, 60\u201365 (2018)'), ('REFSTR', "{u'bibunstructured': u'Koch, F., Lehr, D., Sch\\xf6nbrodt, O., Glaser, T., Fechner, R., Frost, F.: Manufacturing of highly-dispersive, high-efficiency transmission gratings by laser interference lithography and dry etching. Microelectron. Eng. 191, 60\\u201365 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Koch', u'initials': u'F'}, {u'familyname': u'Lehr', u'initials': u'D'}, {u'familyname': u'Sch\\xf6nbrodt', u'initials': u'O'}, {u'familyname': u'Glaser', u'initials': u'T'}, {u'familyname': u'Fechner', u'initials': u'R'}, {u'familyname': u'Frost', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1016/j.mee.2018.01.031', u'@type': u'DOI'}, u'journaltitle': u'Microelectron. Eng.', u'volumeid': u'191', u'firstpage': u'60', u'lastpage': u'65', u'year': u'2018', u'articletitle': {u'#text': u'Manufacturing of highly-dispersive, high-efficiency transmission gratings by laser interference lithography and dry etching', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")],
[('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Yamada'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Yamada'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Maki'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Itoh'), ('TITLE', u'Fabrication'), ('TITLE', u'of'), ('TITLE', u'arrays'), ('TITLE', u'of'), ('TITLE', u'tapered'), ('TITLE', u'silicon'), ('TITLE', u'micro-'), ('TITLE', u'/nano-'), ('TITLE', u'pillars'), ('TITLE', u'by'), ('TITLE', u'metal-'), ('TITLE', u'assisted'), ('TITLE', u'chemical'), ('TITLE', u'etching'), ('TITLE', u'and'), ('TITLE', u'anisotropic'), ('TITLE', u'wet'), ('TITLE', u'etching'), ('JOURNAL', u'Nanotechnology'), ('VOLUME', u'29'), ('YEAR', u'2018'), ('PAGE', u'28LT01'), ('REFPLAINTEXT', u'Yamada, K., Yamada, M., Maki, H., Itoh, K.: Fabrication of arrays of tapered silicon micro-/nano-pillars by metal-assisted chemical etching and anisotropic wet etching. Nanotechnology 29, 28LT01 (2018)'), ('REFSTR', "{u'bibunstructured': u'Yamada, K., Yamada, M., Maki, H., Itoh, K.: Fabrication of arrays of tapered silicon micro-/nano-pillars by metal-assisted chemical etching and anisotropic wet etching. Nanotechnology 29, 28LT01 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Yamada', u'initials': u'K'}, {u'familyname': u'Yamada', u'initials': u'M'}, {u'familyname': u'Maki', u'initials': u'H'}, {u'familyname': u'Itoh', u'initials': u'K'}], u'occurrence': {u'handle': u'10.1088/1361-6528/aac04b', u'@type': u'DOI'}, u'journaltitle': u'Nanotechnology', u'volumeid': u'29', u'firstpage': u'28LT01', u'year': u'2018', u'articletitle': {u'#text': u'Fabrication of arrays of tapered silicon micro-/nano-pillars by metal-assisted chemical etching and anisotropic wet etching', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")],
[('AUTHOR_FIRST_NAME', u'MP'), ('AUTHOR_LAST_NAME', u'Larsson'), ('TITLE', u'Arbitrarily'), ('TITLE', u'profiled'), ('TITLE', u'3D'), ('TITLE', u'polymer'), ('TITLE', u'MEMS'), ('TITLE', u'through'), ('TITLE', u'Si'), ('TITLE', u'micro-'), ('TITLE', u'moulding'), ('TITLE', u'and'), ('TITLE', u'bulk'), ('TITLE', u'micromachining'), ('JOURNAL', u'Microelectron.'), ('JOURNAL', u'Eng.'), ('VOLUME', u'83'), ('YEAR', u'2006'), ('PAGE', u'1257'), ('REFPLAINTEXT', u'Larsson, M.P.: Arbitrarily profiled 3D polymer MEMS through Si micro-moulding and bulk micromachining. Microelectron. Eng. 83, 1257\u20131260 (2006)'), ('REFSTR', "{u'bibunstructured': u'Larsson, M.P.: Arbitrarily profiled 3D polymer MEMS through Si micro-moulding and bulk micromachining. Microelectron. Eng. 83, 1257\\u20131260 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Larsson', u'initials': u'MP'}, u'occurrence': {u'handle': u'10.1016/j.mee.2006.01.215', u'@type': u'DOI'}, u'journaltitle': u'Microelectron. Eng.', u'volumeid': u'83', u'firstpage': u'1257', u'lastpage': u'1260', u'year': u'2006', u'articletitle': {u'#text': u'Arbitrarily profiled 3D polymer MEMS through Si micro-moulding and bulk micromachining', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Milton'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Briane'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Harutyunyan'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'possible'), ('TITLE', u'effective'), ('TITLE', u'elasticity'), ('TITLE', u'tensors'), ('TITLE', u'of'), ('TITLE', u'2-'), ('TITLE', u'dimensional'), ('TITLE', u'and'), ('TITLE', u'3-'), ('TITLE', u'dimensional'), ('TITLE', u'printed'), ('TITLE', u'materials'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'5'), ('YEAR', u'2017'), ('PAGE', u'41'), ('DOI', u'10.2140/memocs.2017.5.41'), ('REFPLAINTEXT', u'Milton, G., Briane, M., Harutyunyan, D.: On the possible effective elasticity tensors of 2-dimensional and 3-dimensional printed materials. Math. Mech. Complex Syst. 5, 41\u201394 (2017)'), ('REFSTR', "{u'bibunstructured': u'Milton, G., Briane, M., Harutyunyan, D.: On the possible effective elasticity tensors of 2-dimensional and 3-dimensional printed materials. Math. Mech. Complex Syst. 5, 41\\u201394 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Milton', u'initials': u'G'}, {u'familyname': u'Briane', u'initials': u'M'}, {u'familyname': u'Harutyunyan', u'initials': u'D'}], u'occurrence': [{u'handle': u'3677943', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2017.5.41', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'5', u'firstpage': u'41', u'lastpage': u'94', u'year': u'2017', u'articletitle': {u'#text': u'On the possible effective elasticity tensors of 2-dimensional and 3-dimensional printed materials', u'@language': u'En'}}, u'citationnumber': u'32.', u'@id': u'CR32'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Milton'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Harutyunyan'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Briane'), ('TITLE', u'Towards'), ('TITLE', u'a'), ('TITLE', u'complete'), ('TITLE', u'characterization'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'effective'), ('TITLE', u'elasticity'), ('TITLE', u'tensors'), ('TITLE', u'of'), ('TITLE', u'mixtures'), ('TITLE', u'of'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'phase'), ('TITLE', u'and'), ('TITLE', u'an'), ('TITLE', u'almost'), ('TITLE', u'rigid'), ('TITLE', u'phase'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'5'), ('YEAR', u'2017'), ('PAGE', u'95'), ('DOI', u'10.2140/memocs.2017.5.95'), ('REFPLAINTEXT', u'Milton, G., Harutyunyan, D., Briane, M.: Towards a complete characterization of the effective elasticity tensors of mixtures of an elastic phase and an almost rigid phase. Math. Mech. Complex Syst. 5, 95\u2013113 (2017)'), ('REFSTR', "{u'bibunstructured': u'Milton, G., Harutyunyan, D., Briane, M.: Towards a complete characterization of the effective elasticity tensors of mixtures of an elastic phase and an almost rigid phase. Math. Mech. Complex Syst. 5, 95\\u2013113 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Milton', u'initials': u'G'}, {u'familyname': u'Harutyunyan', u'initials': u'D'}, {u'familyname': u'Briane', u'initials': u'M'}], u'occurrence': [{u'handle': u'3677944', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2017.5.95', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'5', u'firstpage': u'95', u'lastpage': u'113', u'year': u'2017', u'articletitle': {u'#text': u'Towards a complete characterization of the effective elasticity tensors of mixtures of an elastic phase and an almost rigid phase', u'@language': u'En'}}, u'citationnumber': u'33.', u'@id': u'CR33'}")],
[('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Abdoul-Anziz'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('TITLE', u'Strain'), ('TITLE', u'gradient'), ('TITLE', u'and'), ('TITLE', u'generalized'), ('TITLE', u'continua'), ('TITLE', u'obtained'), ('TITLE', u'by'), ('TITLE', u'homogenizing'), ('TITLE', u'frame'), ('TITLE', u'lattices'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'6'), ('YEAR', u'2018'), ('PAGE', u'213'), ('DOI', u'10.2140/memocs.2018.6.213'), ('REFPLAINTEXT', u'Abdoul-Anziz, H., Seppecher, P.: Strain gradient and generalized continua obtained by homogenizing frame lattices. Math. Mech. Complex Syst. 6, 213\u2013250 (2018)'), ('REFSTR', "{u'bibunstructured': u'Abdoul-Anziz, H., Seppecher, P.: Strain gradient and generalized continua obtained by homogenizing frame lattices. Math. Mech. Complex Syst. 6, 213\\u2013250 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abdoul-Anziz', u'initials': u'H'}, {u'familyname': u'Seppecher', u'initials': u'P'}], u'occurrence': [{u'handle': u'3858777', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2018.6.213', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'6', u'firstpage': u'213', u'lastpage': u'250', u'year': u'2018', u'articletitle': {u'#text': u'Strain gradient and generalized continua obtained by homogenizing frame lattices', u'@language': u'En'}}, u'citationnumber': u'34.', u'@id': u'CR34'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Barchiesi'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('TITLE', u'Mechanical'), ('TITLE', u'metamaterials:'), ('TITLE', u'a'), ('TITLE', u'state'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'art'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'24'), ('YEAR', u'2018'), ('PAGE', u'212'), ('DOI', u'10.1177/1081286517735695'), ('REFPLAINTEXT', u'Barchiesi, E., Spagnuolo, M., Placidi, L.: Mechanical metamaterials: a state of the art. Math. Mech. Solids 24, 212\u2013234 (2018)'), ('REFSTR', "{u'bibunstructured': u'Barchiesi, E., Spagnuolo, M., Placidi, L.: Mechanical metamaterials: a state of the art. Math. Mech. Solids 24, 212\\u2013234 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Barchiesi', u'initials': u'E'}, {u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Placidi', u'initials': u'L'}], u'occurrence': [{u'handle': u'3894504', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286517735695', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'24', u'firstpage': u'212', u'lastpage': u'234', u'year': u'2018', u'articletitle': {u'#text': u'Mechanical metamaterials: a state of the art', u'@language': u'En'}}, u'citationnumber': u'35.', u'@id': u'CR35'}")],
[('REFPLAINTEXT', u'Di Cosmo, F., Laudato, M., Spagnuolo, M.: Acoustic metamaterials based on local resonances: homogenization, optimization and applications. In: Altenbach, H., Pouget, J., Rousseau, M., Collet, B., Michelitsch, Th. (eds.) Generalized Models and Non-classical Approaches in Complex Materials 1, pp. 247\u2013274. Springer, Berlin (2018)'), ('REFSTR', "{u'bibunstructured': u'Di Cosmo, F., Laudato, M., Spagnuolo, M.: Acoustic metamaterials based on local resonances: homogenization, optimization and applications. In: Altenbach, H., Pouget, J., Rousseau, M., Collet, B., Michelitsch, Th. (eds.) Generalized Models and Non-classical Approaches in Complex Materials 1, pp. 247\\u2013274. Springer, Berlin (2018)', u'citationnumber': u'36.', u'@id': u'CR36'}")],
[('AUTHOR_FIRST_NAME', u'Emilio'), ('AUTHOR_LAST_NAME', u'Barchiesi'), ('AUTHOR_FIRST_NAME', u'Francesco'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'Marco'), ('AUTHOR_LAST_NAME', u'Laudato'), ('AUTHOR_FIRST_NAME', u'Luca'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'Pierre'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('YEAR', u'2018'), ('PAGE', u'43'), ('PUBLISHER', u'Advanced'), ('PUBLISHER', u'Structured'), ('PUBLISHER', u'Materials'), ('REFPLAINTEXT', u'Barchiesi, E., dell\u2019Isola, F., Laudato, M., Placidi, L., Seppecher, P.: A 1D continuum model for beams with pantographic microstructure: asymptotic micro-macro identification and numerical results. In: dell\u2019Isola, F., Eremeyev, V.A., Porubov, A.V. (eds.) Advances in Mechanics of Microstructured Media and Structures, pp. 43\u201374. Springer, Berlin (2018)'), ('REFSTR', "{u'bibunstructured': u'Barchiesi, E., dell\\u2019Isola, F., Laudato, M., Placidi, L., Seppecher, P.: A 1D continuum model for beams with pantographic microstructure: asymptotic micro-macro identification and numerical results. In: dell\\u2019Isola, F., Eremeyev, V.A., Porubov, A.V. (eds.) Advances in Mechanics of Microstructured Media and Structures, pp. 43\\u201374. Springer, Berlin (2018)', u'bibchapter': {u'bibauthorname': [{u'familyname': u'Barchiesi', u'initials': u'Emilio'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'Francesco'}, {u'familyname': u'Laudato', u'initials': u'Marco'}, {u'familyname': u'Placidi', u'initials': u'Luca'}, {u'familyname': u'Seppecher', u'initials': u'Pierre'}], u'publisherlocation': u'Cham', u'booktitle': u'Advanced Structured Materials', u'firstpage': u'43', u'lastpage': u'74', u'year': u'2018', u'publishername': u'Springer International Publishing', u'chaptertitle': {u'#text': u'A 1D Continuum Model for Beams with Pantographic Microstructure: Asymptotic Micro-Macro Identification and Numerical Results', u'@language': u'--'}}, u'citationnumber': u'37.', u'@id': u'CR37'}")],
[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('AUTHOR_FIRST_NAME', u'JJ'), ('AUTHOR_LAST_NAME', u'Alibert'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Linear'), ('TITLE', u'elastic'), ('TITLE', u'trusses'), ('TITLE', u'leading'), ('TITLE', u'to'), ('TITLE', u'continua'), ('TITLE', u'with'), ('TITLE', u'exotic'), ('TITLE', u'mechanical'), ('TITLE', u'interactions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Conf.'), ('JOURNAL', u'Ser.'), ('VOLUME', u'319'), ('YEAR', u'2011'), ('PAGE', u'12'), ('REFPLAINTEXT', u'Seppecher, P., Alibert, J.J., dell\u2019Isola, F.: Linear elastic trusses leading to continua with exotic mechanical interactions. J. Phys. Conf. Ser. 319, 12\u201318 (2011)'), ('REFSTR', "{u'bibunstructured': u'Seppecher, P., Alibert, J.J., dell\\u2019Isola, F.: Linear elastic trusses leading to continua with exotic mechanical interactions. J. Phys. Conf. Ser. 319, 12\\u201318 (2011)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Seppecher', u'initials': u'P'}, {u'familyname': u'Alibert', u'initials': u'JJ'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1088/1742-6596/319/1/012018', u'@type': u'DOI'}, u'journaltitle': u'J. Phys. Conf. Ser.', u'volumeid': u'319', u'firstpage': u'12', u'lastpage': u'18', u'year': u'2011', u'articletitle': {u'#text': u'Linear elastic trusses leading to continua with exotic mechanical interactions', u'@language': u'En'}}, u'citationnumber': u'38.', u'@id': u'CR38'}")],
[('AUTHOR_FIRST_NAME', u'JJ'), ('AUTHOR_LAST_NAME', u'Alibert'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Della Corte'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Battista'), ('TITLE', u'Extensional'), ('TITLE', u'Elastica'), ('TITLE', u'in'), ('TITLE', u'large'), ('TITLE', u'deformation'), ('TITLE', u'as'), ('TITLE', u'-'), ('TITLE', u'limit'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'discrete'), ('TITLE', u'1D'), ('TITLE', u'mechanical'), ('TITLE', u'system'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'68'), ('YEAR', u'2017'), ('PAGE', u'42'), ('DOI', u'10.1007/s00033-017-0785-9'), ('REFPLAINTEXT', u'Alibert, J.J., Della Corte, A., Giorgio, I., Battista, A.: Extensional Elastica in large deformation as \u0393 -limit of a discrete 1D mechanical system. Z. Angew. Math. Phys. 68, 42 (2017)'), ('REFSTR', "{u'bibunstructured': u'Alibert, J.J., Della Corte, A., Giorgio, I., Battista, A.: Extensional Elastica in large deformation as \\u0393 -limit of a discrete 1D mechanical system. Z. Angew. Math. Phys. 68, 42 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Alibert', u'initials': u'JJ'}, {u'familyname': u'Della Corte', u'initials': u'A'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Battista', u'initials': u'A'}], u'occurrence': [{u'handle': u'3619438', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-017-0785-9', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'68', u'firstpage': u'42', u'year': u'2017', u'articletitle': {u'#text': u'Extensional Elastica in large deformation as \\u0393 -limit of a discrete 1D mechanical system', u'@language': u'En'}}, u'citationnumber': u'39.', u'@id': u'CR39'}")],
[('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Pietraszkiewicz'), ('TITLE', u'The'), ('TITLE', u'nonlinear'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'elastic'), ('TITLE', u'shells'), ('TITLE', u'with'), ('TITLE', u'phase'), ('TITLE', u'transitions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'74'), ('YEAR', u'2004'), ('PAGE', u'67'), ('DOI', u'10.1023/B:ELAS.0000026106.09385.8c'), ('REFPLAINTEXT', u'Eremeyev, V.A., Pietraszkiewicz, W.: The nonlinear theory of elastic shells with phase transitions. J. Elast. 74, 67\u201386 (2004)'), ('REFSTR', "{u'bibunstructured': u'Eremeyev, V.A., Pietraszkiewicz, W.: The nonlinear theory of elastic shells with phase transitions. J. Elast. 74, 67\\u201386 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eremeyev', u'initials': u'VA'}, {u'familyname': u'Pietraszkiewicz', u'initials': u'W'}], u'occurrence': [{u'handle': u'2058196', u'@type': u'AMSID'}, {u'handle': u'10.1023/B:ELAS.0000026106.09385.8c', u'@type': u'DOI'}], u'journaltitle': u'J. Elast.', u'volumeid': u'74', u'firstpage': u'67', u'lastpage': u'86', u'year': u'2004', u'articletitle': {u'#text': u'The nonlinear theory of elastic shells with phase transitions', u'@language': u'En'}}, u'citationnumber': u'40.', u'@id': u'CR40'}")],
[('AUTHOR_FIRST_NAME', u'SR'), ('AUTHOR_LAST_NAME', u'Eugster'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Glocker'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'notion'), ('TITLE', u'of'), ('TITLE', u'stress'), ('TITLE', u'in'), ('TITLE', u'classical'), ('TITLE', u'continuum'), ('TITLE', u'mechanics'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'5'), ('YEAR', u'2017'), ('PAGE', u'299'), ('DOI', u'10.2140/memocs.2017.5.299'), ('REFPLAINTEXT', u'Eugster, S.R., Glocker, C.: On the notion of stress in classical continuum mechanics. Math. Mech. Complex Syst. 5, 299\u2013338 (2017)'), ('REFSTR', "{u'bibunstructured': u'Eugster, S.R., Glocker, C.: On the notion of stress in classical continuum mechanics. Math. Mech. Complex Syst. 5, 299\\u2013338 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eugster', u'initials': u'SR'}, {u'familyname': u'Glocker', u'initials': u'C'}], u'occurrence': [{u'handle': u'3740256', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2017.5.299', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'5', u'firstpage': u'299', u'lastpage': u'338', u'year': u'2017', u'articletitle': {u'#text': u'On the notion of stress in classical continuum mechanics', u'@language': u'En'}}, u'citationnumber': u'41.', u'@id': u'CR41'}")],
[('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Faulkner'), ('TITLE', u'Variational'), ('TITLE', u'theory'), ('TITLE', u'for'), ('TITLE', u'spatial'), ('TITLE', u'rods'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'33'), ('YEAR', u'1993'), ('PAGE', u'1'), ('DOI', u'10.1007/BF00042633'), ('REFPLAINTEXT', u'Steigmann, D., Faulkner, M.: Variational theory for spatial rods. J. Elast. 33, 1\u201326 (1993)'), ('REFSTR', "{u'bibunstructured': u'Steigmann, D., Faulkner, M.: Variational theory for spatial rods. J. Elast. 33, 1\\u201326 (1993)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Steigmann', u'initials': u'D'}, {u'familyname': u'Faulkner', u'initials': u'M'}], u'occurrence': [{u'handle': u'1255038', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF00042633', u'@type': u'DOI'}], u'journaltitle': u'J. Elast.', u'volumeid': u'33', u'firstpage': u'1', u'lastpage': u'26', u'year': u'1993', u'articletitle': {u'#text': u'Variational theory for spatial rods', u'@language': u'En'}}, u'citationnumber': u'42.', u'@id': u'CR42'}")],
[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Germain'), ('TITLE', u'The'), ('TITLE', u'method'), ('TITLE', u'of'), ('TITLE', u'virtual'), ('TITLE', u'power'), ('TITLE', u'in'), ('TITLE', u'continuum'), ('TITLE', u'mechanics.'), ('TITLE', u'Part'), ('TITLE', u'2:'), ('TITLE', u'microstructure'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'25'), ('YEAR', u'1973'), ('PAGE', u'556'), ('REFPLAINTEXT', u'Germain, P.: The method of virtual power in continuum mechanics. Part 2: microstructure. SIAM J. Appl. Math. 25, 556\u2013575 (1973)'), ('REFSTR', "{u'bibunstructured': u'Germain, P.: The method of virtual power in continuum mechanics. Part 2: microstructure. SIAM J. Appl. Math. 25, 556\\u2013575 (1973)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Germain', u'initials': u'P'}, u'occurrence': {u'handle': u'10.1137/0125053', u'@type': u'DOI'}, u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'25', u'firstpage': u'556', u'lastpage': u'575', u'year': u'1973', u'articletitle': {u'#text': u'The method of virtual power in continuum mechanics. Part 2: microstructure', u'@language': u'En'}}, u'citationnumber': u'43.', u'@id': u'CR43'}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Forest'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Sievert'), ('TITLE', u'Nonlinear'), ('TITLE', u'microstrain'), ('TITLE', u'theories'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'43'), ('YEAR', u'2006'), ('PAGE', u'7224'), ('DOI', u'10.1016/j.ijsolstr.2006.05.012'), ('REFPLAINTEXT', u'Forest, S., Sievert, R.: Nonlinear microstrain theories. Int. J. Solids Struct. 43, 7224\u20137245 (2006). Size-dependent Mechanics of Materials'), ('REFSTR', "{u'bibunstructured': u'Forest, S., Sievert, R.: Nonlinear microstrain theories. Int. J. Solids Struct. 43, 7224\\u20137245 (2006). Size-dependent Mechanics of Materials', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Forest', u'initials': u'S'}, {u'familyname': u'Sievert', u'initials': u'R'}], u'occurrence': [{u'handle': u'2281498', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.ijsolstr.2006.05.012', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'43', u'firstpage': u'7224', u'lastpage': u'7245', u'bibcomments': u'Size-dependent Mechanics of Materials', u'year': u'2006', u'articletitle': {u'#text': u'Nonlinear microstrain theories', u'@language': u'En'}}, u'citationnumber': u'44.', u'@id': u'CR44'}")],
[('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('AUTHOR_FIRST_NAME', u'LP'), ('AUTHOR_LAST_NAME', u'Lebedev'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Altenbach'), ('YEAR', u'2012'), ('PUBLISHER', u'Foundations'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Micropolar'), ('PUBLISHER', u'Mechanics'), ('REFPLAINTEXT', u'Eremeyev, V.A., Lebedev, L.P., Altenbach, H.: Foundations of Micropolar Mechanics. Springer, Berlin (2012)'), ('REFSTR', "{u'bibunstructured': u'Eremeyev, V.A., Lebedev, L.P., Altenbach, H.: Foundations of Micropolar Mechanics. Springer, Berlin (2012)', u'citationnumber': u'45.', u'@id': u'CR45', u'bibbook': {u'bibauthorname': [{u'familyname': u'Eremeyev', u'initials': u'VA'}, {u'familyname': u'Lebedev', u'initials': u'LP'}, {u'familyname': u'Altenbach', u'initials': u'H'}], u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'1257.74002', u'@type': u'ZLBID'}, u'booktitle': u'Foundations of Micropolar Mechanics', u'year': u'2012', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'Holm'), ('AUTHOR_LAST_NAME', u'Altenbach'), ('AUTHOR_FIRST_NAME', u'Mircea'), ('AUTHOR_LAST_NAME', u'Brsan'), ('AUTHOR_FIRST_NAME', u'Victor A.'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('YEAR', u'2013'), ('PAGE', u'179'), ('PUBLISHER', u'Generalized'), ('PUBLISHER', u'Continua'), ('PUBLISHER', u'from'), ('PUBLISHER', u'the'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'to'), ('PUBLISHER', u'Engineering'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Altenbach, H., B\xeersan, M., Eremeyev, V.A.: Cosserat-type rods. In: Altenbach, H., Eremeyev, V.A. (eds.) Generalized Continua from the Theory to Engineering Applications, pp. 179\u2013248. Springer, Berlin (2013)'), ('REFSTR', "{u'bibunstructured': u'Altenbach, H., B\\xeersan, M., Eremeyev, V.A.: Cosserat-type rods. In: Altenbach, H., Eremeyev, V.A. (eds.) Generalized Continua from the Theory to Engineering Applications, pp. 179\\u2013248. Springer, Berlin (2013)', u'bibchapter': {u'bibauthorname': [{u'familyname': u'Altenbach', u'initials': u'Holm'}, {u'familyname': u'B\\xeersan', u'initials': u'Mircea'}, {u'familyname': u'Eremeyev', u'initials': u'Victor A.'}], u'publisherlocation': u'Vienna', u'occurrence': {u'handle': u'10.1007/978-3-7091-1371-4_4', u'@type': u'DOI'}, u'booktitle': u'Generalized Continua from the Theory to Engineering Applications', u'firstpage': u'179', u'lastpage': u'248', u'year': u'2013', u'publishername': u'Springer Vienna', u'chaptertitle': {u'#text': u'Cosserat-Type Rods', u'@language': u'--'}}, u'citationnumber': u'46.', u'@id': u'CR46'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('TITLE', u'A'), ('TITLE', u'targeted'), ('TITLE', u'review'), ('TITLE', u'on'), ('TITLE', u'large'), ('TITLE', u'deformations'), ('TITLE', u'of'), ('TITLE', u'planar'), ('TITLE', u'elastic'), ('TITLE', u'beams:'), ('TITLE', u'extensibility,'), ('TITLE', u'distributed'), ('TITLE', u'loads,'), ('TITLE', u'buckling'), ('TITLE', u'and'), ('TITLE', u'post-'), ('TITLE', u'buckling'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'24'), ('YEAR', u'2018'), ('PAGE', u'258'), ('DOI', u'10.1177/1081286517737000'), ('REFPLAINTEXT', u'Spagnuolo, M., Andreaus, U.: A targeted review on large deformations of planar elastic beams: extensibility, distributed loads, buckling and post-buckling. Math. Mech. Solids 24, 258\u2013280 (2018)'), ('REFSTR', "{u'bibunstructured': u'Spagnuolo, M., Andreaus, U.: A targeted review on large deformations of planar elastic beams: extensibility, distributed loads, buckling and post-buckling. Math. Mech. Solids 24, 258\\u2013280 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Andreaus', u'initials': u'U'}], u'occurrence': [{u'handle': u'3894506', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286517737000', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'24', u'firstpage': u'258', u'lastpage': u'280', u'year': u'2018', u'articletitle': {u'#text': u'A targeted review on large deformations of planar elastic beams: extensibility, distributed loads, buckling and post-buckling', u'@language': u'En'}}, u'citationnumber': u'47.', u'@id': u'CR47'}")],
[('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Abali'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Mller'), ('AUTHOR_FIRST_NAME', u'V'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('TITLE', u'Strain'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('TITLE', u'with'), ('TITLE', u'geometric'), ('TITLE', u'nonlinearities'), ('TITLE', u'and'), ('TITLE', u'its'), ('TITLE', u'computational'), ('TITLE', u'evaluation'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Adv.'), ('JOURNAL', u'Mater.'), ('JOURNAL', u'Mod.'), ('JOURNAL', u'Process.'), ('VOLUME', u'1'), ('YEAR', u'2015'), ('PAGE', u'4'), ('REFPLAINTEXT', u'Abali, B., M\xfcller, W., Eremeyev, V.: Strain gradient elasticity with geometric nonlinearities and its computational evaluation. Mech. Adv. Mater. Mod. Process. 1, 4 (2015)'), ('REFSTR', "{u'bibunstructured': u'Abali, B., M\\xfcller, W., Eremeyev, V.: Strain gradient elasticity with geometric nonlinearities and its computational evaluation. Mech. Adv. Mater. Mod. Process. 1, 4 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abali', u'initials': u'B'}, {u'familyname': u'M\\xfcller', u'initials': u'W'}, {u'familyname': u'Eremeyev', u'initials': u'V'}], u'occurrence': {u'handle': u'10.1186/s40759-015-0004-3', u'@type': u'DOI'}, u'journaltitle': u'Mech. Adv. Mater. Mod. Process.', u'volumeid': u'1', u'firstpage': u'4', u'year': u'2015', u'articletitle': {u'#text': u'Strain gradient elasticity with geometric nonlinearities and its computational evaluation', u'@language': u'En'}}, u'citationnumber': u'48.', u'@id': u'CR48'}")],
[('AUTHOR_FIRST_NAME', u'BE'), ('AUTHOR_LAST_NAME', u'Abali'), ('AUTHOR_FIRST_NAME', u'WH'), ('AUTHOR_LAST_NAME', u'Mller'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Theory'), ('TITLE', u'and'), ('TITLE', u'computation'), ('TITLE', u'of'), ('TITLE', u'higher'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('TITLE', u'theories'), ('TITLE', u'based'), ('TITLE', u'on'), ('TITLE', u'action'), ('TITLE', u'principles'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'87'), ('YEAR', u'2017'), ('PAGE', u'1495'), ('REFPLAINTEXT', u'Abali, B.E., M\xfcller, W.H., dell\u2019Isola, F.: Theory and computation of higher gradient elasticity theories based on action principles. Arch. Appl. Mech. 87, 1495\u20131510 (2017)'), ('REFSTR', "{u'bibunstructured': u'Abali, B.E., M\\xfcller, W.H., dell\\u2019Isola, F.: Theory and computation of higher gradient elasticity theories based on action principles. Arch. Appl. Mech. 87, 1495\\u20131510 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abali', u'initials': u'BE'}, {u'familyname': u'M\\xfcller', u'initials': u'WH'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1007/s00419-017-1266-5', u'@type': u'DOI'}, u'journaltitle': u'Arch. Appl. Mech.', u'volumeid': u'87', u'firstpage': u'1495', u'lastpage': u'1510', u'year': u'2017', u'articletitle': {u'#text': u'Theory and computation of higher gradient elasticity theories based on action principles', u'@language': u'En'}}, u'citationnumber': u'49.', u'@id': u'CR49'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Riks'), ('TITLE', u'An'), ('TITLE', u'incremental'), ('TITLE', u'approach'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'solution'), ('TITLE', u'of'), ('TITLE', u'snapping'), ('TITLE', u'and'), ('TITLE', u'buckling'), ('TITLE', u'problems'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'15'), ('YEAR', u'1979'), ('PAGE', u'529'), ('DOI', u'10.1016/0020-7683(79)90081-7'), ('REFPLAINTEXT', u'Riks, E.: An incremental approach to the solution of snapping and buckling problems. Int. J. Solids Struct. 15, 529\u2013551 (1979)'), ('REFSTR', "{u'bibunstructured': u'Riks, E.: An incremental approach to the solution of snapping and buckling problems. Int. J. Solids Struct. 15, 529\\u2013551 (1979)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Riks', u'initials': u'E'}, u'occurrence': [{u'handle': u'537646', u'@type': u'AMSID'}, {u'handle': u'10.1016/0020-7683(79)90081-7', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'15', u'firstpage': u'529', u'lastpage': u'551', u'year': u'1979', u'articletitle': {u'#text': u'An incremental approach to the solution of snapping and buckling problems', u'@language': u'En'}}, u'citationnumber': u'50.', u'@id': u'CR50'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Alouges'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Soyeur'), ('TITLE', u'On'), ('TITLE', u'global'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equations:'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'nonuniqueness'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'TMA'), ('VOLUME', u'18'), ('ISSUE', u'11'), ('YEAR', u'1992'), ('PAGE', u'1071'), ('DOI', u'10.1016/0362-546X(92)90196-L'), ('REFPLAINTEXT', u'Alouges, F., Soyeur, A.: On global weak solutions for Landau\u2013Lifshitz equations: existence and nonuniqueness. Nonlinear Anal. TMA 18(11), 1071\u20131084 (1992)'), ('REFSTR', "{u'bibunstructured': u'Alouges, F., Soyeur, A.: On global weak solutions for Landau\\u2013Lifshitz equations: existence and nonuniqueness. Nonlinear Anal. TMA 18(11), 1071\\u20131084 (1992)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Alouges', u'initials': u'F'}, {u'familyname': u'Soyeur', u'initials': u'A'}], u'issueid': u'11', u'journaltitle': u'Nonlinear Anal. TMA', u'volumeid': u'18', u'firstpage': u'1071', u'lastpage': u'1084', u'year': u'1992', u'articletitle': {u'#text': u'On global weak solutions for Landau\\u2013Lifshitz equations: existence and nonuniqueness', u'@outputmedium': u'All', u'@language': u'En'}, u'occurrence': [{u'handle': u'1167422', u'@type': u'AMSID'}, {u'handle': u'10.1016/0362-546X(92)90196-L', u'@type': u'DOI'}]}, u'citationnumber': u'1.', u'@id': u'CR1'}")],
[('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Bejenaru'), ('AUTHOR_FIRST_NAME', u'AD'), ('AUTHOR_LAST_NAME', u'Ionescu'), ('AUTHOR_FIRST_NAME', u'CE'), ('AUTHOR_LAST_NAME', u'Kenig'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Tataru'), ('TITLE', u'Global'), ('TITLE', u'Schrdinger'), ('TITLE', u'maps'), ('TITLE', u'in'), ('TITLE', u'dimensions'), ('TITLE', u'd\\ge'), ('TITLE', u'2:'), ('TITLE', u'small'), ('TITLE', u'data'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'critical'), ('TITLE', u'Sobolev'), ('TITLE', u'spaces'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Math.'), ('VOLUME', u'173'), ('YEAR', u'2011'), ('PAGE', u'1443'), ('DOI', u'10.4007/annals.2011.173.3.5'), ('REFPLAINTEXT', u'Bejenaru, I., Ionescu, A.D., Kenig, C.E., Tataru, D.: Global Schr\xf6dinger maps in dimensions d\\ge 2: small data in the critical Sobolev spaces. Ann. Math. 173, 1443\u20131506 (2011)'), ('REFSTR', "{u'bibunstructured': u'Bejenaru, I., Ionescu, A.D., Kenig, C.E., Tataru, D.: Global Schr\\xf6dinger maps in dimensions d\\\\ge 2: small data in the critical Sobolev spaces. Ann. Math. 173, 1443\\u20131506 (2011)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bejenaru', u'initials': u'I'}, {u'familyname': u'Ionescu', u'initials': u'AD'}, {u'familyname': u'Kenig', u'initials': u'CE'}, {u'familyname': u'Tataru', u'initials': u'D'}], u'occurrence': [{u'handle': u'2800718', u'@type': u'AMSID'}, {u'handle': u'10.4007/annals.2011.173.3.5', u'@type': u'DOI'}], u'journaltitle': u'Ann. Math.', u'volumeid': u'173', u'firstpage': u'1443', u'lastpage': u'1506', u'year': u'2011', u'articletitle': {u'#text': u'Global Schr\\xf6dinger maps in dimensions d\\\\ge 2: small data in the critical Sobolev spaces', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")],
[('AUTHOR_FIRST_NAME', u'Earl A'), ('AUTHOR_LAST_NAME', u'Coddington'), ('YEAR', u'1955'), ('PUBLISHER', u'Levinson'), ('PUBLISHER', u'Norman:'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Ordinary'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Coddington, Earl A.: Levinson Norman: Theory of Ordinary Differential Equations. McGraw-Hill Book Company Inc, New York (1955)'), ('REFSTR', "{u'bibunstructured': u'Coddington, Earl A.: Levinson Norman: Theory of Ordinary Differential Equations. McGraw-Hill Book Company Inc, New York (1955)', u'citationnumber': u'3.', u'@id': u'CR3', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Coddington', u'initials': u'Earl A'}, u'publishername': u'McGraw-Hill Book Company Inc', u'booktitle': u'Levinson Norman: Theory of Ordinary Differential Equations', u'year': u'1955'}}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Hausdorff'), ('TITLE', u'measure'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'singular'), ('TITLE', u'set'), ('TITLE', u'of'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'nonlocal'), ('TITLE', u'term'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'250'), ('ISSUE', u'1'), ('YEAR', u'2004'), ('PAGE', u'95'), ('DOI', u'10.1007/s00220-004-1120-9'), ('REFPLAINTEXT', u'Ding, S., Guo, B.: Hausdorff measure of the singular set of Landau\u2013Lifshitz equations with a nonlocal term. Commun. Math. Phys. 250(1), 95\u2013117 (2004)'), ('REFSTR', "{u'bibunstructured': u'Ding, S., Guo, B.: Hausdorff measure of the singular set of Landau\\u2013Lifshitz equations with a nonlocal term. Commun. Math. Phys. 250(1), 95\\u2013117 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ding', u'initials': u'S'}, {u'familyname': u'Guo', u'initials': u'B'}], u'issueid': u'1', u'journaltitle': u'Commun. Math. Phys.', u'volumeid': u'250', u'firstpage': u'95', u'lastpage': u'117', u'year': u'2004', u'articletitle': {u'#text': u'Hausdorff measure of the singular set of Landau\\u2013Lifshitz equations with a nonlocal term', u'@language': u'En'}, u'occurrence': [{u'handle': u'2092031', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00220-004-1120-9', u'@type': u'DOI'}]}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Existence'), ('TITLE', u'of'), ('TITLE', u'partially'), ('TITLE', u'regular'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'LandauLifshitzMaxwell'), ('TITLE', u'equations'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'244'), ('YEAR', u'2008'), ('PAGE', u'2448'), ('DOI', u'10.1016/j.jde.2008.02.029'), ('REFPLAINTEXT', u'Ding, S., Guo, B.: Existence of partially regular weak solutions to Landau\u2013Lifshitz\u2013Maxwell equations. J. Differ. Equ. 244, 2448\u20132472 (2008)'), ('REFSTR', "{u'bibunstructured': u'Ding, S., Guo, B.: Existence of partially regular weak solutions to Landau\\u2013Lifshitz\\u2013Maxwell equations. J. Differ. Equ. 244, 2448\\u20132472 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ding', u'initials': u'S'}, {u'familyname': u'Guo', u'initials': u'B'}], u'occurrence': [{u'handle': u'2414401', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.jde.2008.02.029', u'@type': u'DOI'}], u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'244', u'firstpage': u'2448', u'lastpage': u'2472', u'year': u'2008', u'articletitle': {u'#text': u'Existence of partially regular weak solutions to Landau\\u2013Lifshitz\\u2013Maxwell equations', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Liu'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'The'), ('TITLE', u'LandauLifshitzMaxwell'), ('TITLE', u'equation'), ('TITLE', u'in'), ('TITLE', u'dimension'), ('TITLE', u'three'), ('JOURNAL', u'Pac.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('VOLUME', u'243'), ('ISSUE', u'2'), ('YEAR', u'2009'), ('PAGE', u'243'), ('DOI', u'10.2140/pjm.2009.243.243'), ('REFPLAINTEXT', u'Ding, S., Liu, X., Wang, C.: The Landau\u2013Lifshitz\u2013Maxwell equation in dimension three. Pac. J. Math. 243(2), 243\u2013276 (2009)'), ('REFSTR', "{u'bibunstructured': u'Ding, S., Liu, X., Wang, C.: The Landau\\u2013Lifshitz\\u2013Maxwell equation in dimension three. Pac. J. Math. 243(2), 243\\u2013276 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ding', u'initials': u'S'}, {u'familyname': u'Liu', u'initials': u'X'}, {u'familyname': u'Wang', u'initials': u'C'}], u'issueid': u'2', u'journaltitle': u'Pac. J. Math.', u'volumeid': u'243', u'firstpage': u'243', u'lastpage': u'276', u'year': u'2009', u'articletitle': {u'#text': u'The Landau\\u2013Lifshitz\\u2013Maxwell equation in dimension three', u'@language': u'En'}, u'occurrence': [{u'handle': u'2552258', u'@type': u'AMSID'}, {u'handle': u'10.2140/pjm.2009.243.243', u'@type': u'DOI'}]}, u'citationnumber': u'6.', u'@id': u'CR6'}")],
[('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Evans'), ('YEAR', u'1998'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Evans, L.: Partial Differential Equations. American Mathematical Society, Providence (1998)'), ('REFSTR', "{u'bibunstructured': u'Evans, L.: Partial Differential Equations. American Mathematical Society, Providence (1998)', u'citationnumber': u'7.', u'@id': u'CR7', u'bibbook': {u'bibauthorname': {u'familyname': u'Evans', u'initials': u'L'}, u'publisherlocation': u'Providence', u'occurrence': {u'handle': u'0902.35002', u'@type': u'ZLBID'}, u'booktitle': u'Partial Differential Equations', u'year': u'1998', u'publishername': u'American Mathematical Society'}}")],
[('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Gilbert'), ('TITLE', u'A'), ('TITLE', u'Lagrangian'), ('TITLE', u'formulation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'gyromagnetic'), ('TITLE', u'equation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'magnetization'), ('TITLE', u'field'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('VOLUME', u'100'), ('ISSUE', u'52'), ('YEAR', u'1955'), ('PAGE', u'1243'), ('REFPLAINTEXT', u'Gilbert, T.: A Lagrangian formulation of the gyromagnetic equation of the magnetization field. Phys. Rev. 100(52), 1243 (1955)'), ('REFSTR', "{u'bibunstructured': u'Gilbert, T.: A Lagrangian formulation of the gyromagnetic equation of the magnetization field. Phys. Rev. 100(52), 1243 (1955)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Gilbert', u'initials': u'T'}, u'issueid': u'52', u'journaltitle': u'Phys. Rev.', u'volumeid': u'100', u'firstpage': u'1243', u'year': u'1955', u'articletitle': {u'#text': u'A Lagrangian formulation of the gyromagnetic equation of the magnetization field', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Garca-Cervera'), ('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'Spin-'), ('TITLE', u'Polarized'), ('TITLE', u'transport:'), ('TITLE', u'existence'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('JOURNAL', u'Discrete'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Dyn.'), ('JOURNAL', u'Syst.'), ('JOURNAL', u'Ser.'), ('JOURNAL', u'B'), ('VOLUME', u'7'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'87'), ('DOI', u'10.3934/dcdsb.2007.7.87'), ('REFPLAINTEXT', u'Garc\xeda-Cervera, C., Wang, X.: Spin-Polarized transport: existence of weak solutions. Discrete Contin. Dyn. Syst. Ser. B 7(1), 87\u2013100 (2007)'), ('REFSTR', "{u'bibunstructured': u'Garc\\xeda-Cervera, C., Wang, X.: Spin-Polarized transport: existence of weak solutions. Discrete Contin. Dyn. Syst. Ser. B 7(1), 87\\u2013100 (2007)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Garc\\xeda-Cervera', u'initials': u'C'}, {u'familyname': u'Wang', u'initials': u'X'}], u'issueid': u'1', u'journaltitle': u'Discrete Contin. Dyn. Syst. Ser. B', u'volumeid': u'7', u'firstpage': u'87', u'lastpage': u'100', u'year': u'2007', u'articletitle': {u'#text': u'Spin-Polarized transport: existence of weak solutions', u'@language': u'En'}, u'occurrence': [{u'handle': u'2257453', u'@type': u'AMSID'}, {u'handle': u'10.3934/dcdsb.2007.7.87', u'@type': u'DOI'}]}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('YEAR', u'2008'), ('PUBLISHER', u'Landau\u2013Lifshitz'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Guo, B., Ding, S.: Landau\u2013Lifshitz Equations. World Scientific Press, Singapore (2008)'), ('REFSTR', "{u'bibunstructured': u'Guo, B., Ding, S.: Landau\\u2013Lifshitz Equations. World Scientific Press, Singapore (2008)', u'citationnumber': u'10.', u'@id': u'CR10', u'bibbook': {u'bibauthorname': [{u'familyname': u'Guo', u'initials': u'B'}, {u'familyname': u'Ding', u'initials': u'S'}], u'publisherlocation': u'Singapore', u'occurrence': {u'handle': u'10.1142/6658', u'@type': u'DOI'}, u'booktitle': u'Landau\\u2013Lifshitz Equations', u'year': u'2008', u'publishername': u'World Scientific Press'}}")],
[('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Pu'), ('TITLE', u'Global'), ('TITLE', u'smooth'), ('TITLE', u'solutions'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'spin'), ('TITLE', u'polarized'), ('TITLE', u'transport'), ('TITLE', u'equation'), ('JOURNAL', u'Electron.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'63'), ('YEAR', u'2008'), ('PAGE', u'359'), ('REFPLAINTEXT', u'Guo, B., Pu, X.: Global smooth solutions of the spin polarized transport equation. Electron. J. Differ. Equ. 63, 359\u2013370 (2008)'), ('REFSTR', "{u'bibunstructured': u'Guo, B., Pu, X.: Global smooth solutions of the spin polarized transport equation. Electron. J. Differ. Equ. 63, 359\\u2013370 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Guo', u'initials': u'B'}, {u'familyname': u'Pu', u'initials': u'X'}], u'occurrence': [{u'handle': u'2411058', u'@type': u'AMSID'}, {u'handle': u'1170.35306', u'@type': u'ZLBID'}], u'journaltitle': u'Electron. J. Differ. Equ.', u'volumeid': u'63', u'firstpage': u'359', u'lastpage': u'370', u'year': u'2008', u'articletitle': {u'#text': u'Global smooth solutions of the spin polarized transport equation', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")],
[('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Su'), ('TITLE', u'Global'), ('TITLE', u'weak'), ('TITLE', u'solution'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'LandauLifshitzMaxwell'), ('TITLE', u'equation'), ('TITLE', u'in'), ('TITLE', u'three'), ('TITLE', u'space'), ('TITLE', u'dimensions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'211'), ('YEAR', u'1997'), ('PAGE', u'326'), ('DOI', u'10.1006/jmaa.1997.5467'), ('REFPLAINTEXT', u'Guo, B., Su, F.: Global weak solution for the Landau\u2013Lifshitz\u2013Maxwell equation in three space dimensions. J. Math. Anal. Appl. 211, 326\u2013346 (1997)'), ('REFSTR', "{u'bibunstructured': u'Guo, B., Su, F.: Global weak solution for the Landau\\u2013Lifshitz\\u2013Maxwell equation in three space dimensions. J. Math. Anal. Appl. 211, 326\\u2013346 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Guo', u'initials': u'B'}, {u'familyname': u'Su', u'initials': u'F'}], u'occurrence': [{u'handle': u'1460175', u'@type': u'AMSID'}, {u'handle': u'10.1006/jmaa.1997.5467', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Anal. Appl.', u'volumeid': u'211', u'firstpage': u'326', u'lastpage': u'346', u'year': u'1997', u'articletitle': {u'#text': u'Global weak solution for the Landau\\u2013Lifshitz\\u2013Maxwell equation in three space dimensions', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")],
[('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Jochmann'), ('TITLE', u'Existence'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'drift'), ('TITLE', u'diffusion'), ('TITLE', u'model'), ('TITLE', u'coupled'), ('TITLE', u'with'), ('TITLE', u'Maxwells'), ('TITLE', u'equations'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'204'), ('YEAR', u'1996'), ('PAGE', u'655'), ('DOI', u'10.1006/jmaa.1996.0460'), ('REFPLAINTEXT', u'Jochmann, F.: Existence of weak solutions of the drift diffusion model coupled with Maxwell\u2019s equations. J. Math. Anal. Appl. 204, 655\u2013676 (1996)'), ('REFSTR', "{u'bibunstructured': u'Jochmann, F.: Existence of weak solutions of the drift diffusion model coupled with Maxwell\\u2019s equations. J. Math. Anal. Appl. 204, 655\\u2013676 (1996)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Jochmann', u'initials': u'F'}, u'occurrence': [{u'handle': u'1422765', u'@type': u'AMSID'}, {u'handle': u'10.1006/jmaa.1996.0460', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Anal. Appl.', u'volumeid': u'204', u'firstpage': u'655', u'lastpage': u'676', u'year': u'1996', u'articletitle': {u'#text': u'Existence of weak solutions of the drift diffusion model coupled with Maxwell\\u2019s equations', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")],
[('AUTHOR_FIRST_NAME', u'Tosio'), ('AUTHOR_LAST_NAME', u'Kato'), ('YEAR', u'1975'), ('PAGE', u'25'), ('PUBLISHER', u'Lecture'), ('PUBLISHER', u'Notes'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Mathematics'), ('REFPLAINTEXT', u'Kato, T.: Quasi-linear equations of evolution, with applications to partial differential equations. In: Spectral Theory and Differential Equations. Lecture Notes in Math., vol. 448, pp. 25\u201370. Springer, Berlin (1975)'), ('REFSTR', "{u'bibunstructured': u'Kato, T.: Quasi-linear equations of evolution, with applications to partial differential equations. In: Spectral Theory and Differential Equations. Lecture Notes in Math., vol. 448, pp. 25\\u201370. Springer, Berlin (1975)', u'bibchapter': {u'bibauthorname': {u'familyname': u'Kato', u'initials': u'Tosio'}, u'publisherlocation': u'Berlin, Heidelberg', u'booktitle': u'Lecture Notes in Mathematics', u'firstpage': u'25', u'lastpage': u'70', u'year': u'1975', u'publishername': u'Springer Berlin Heidelberg', u'chaptertitle': {u'#text': u'Quasi-linear equations of evolution, with applications to partial differential equations', u'@language': u'--'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")],
[('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Landau'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Lifshitz'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'dispersion'), ('TITLE', u'of'), ('TITLE', u'magnetic'), ('TITLE', u'permeability'), ('TITLE', u'in'), ('TITLE', u'ferromagnetic'), ('TITLE', u'bodies'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Z.'), ('JOURNAL', u'der'), ('JOURNAL', u'Sowjetunion'), ('VOLUME', u'8'), ('YEAR', u'1935'), ('PAGE', u'153'), ('REFPLAINTEXT', u'Landau, L., Lifshitz, E.: On the theory of the dispersion of magnetic permeability in ferromagnetic bodies. Phys. Z. der Sowjetunion 8, 153\u2013169 (1935)'), ('REFSTR', "{u'bibunstructured': u'Landau, L., Lifshitz, E.: On the theory of the dispersion of magnetic permeability in ferromagnetic bodies. Phys. Z. der Sowjetunion 8, 153\\u2013169 (1935)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Landau', u'initials': u'L'}, {u'familyname': u'Lifshitz', u'initials': u'E'}], u'occurrence': {u'handle': u'0012.28501', u'@type': u'ZLBID'}, u'journaltitle': u'Phys. Z. der Sowjetunion', u'volumeid': u'8', u'firstpage': u'153', u'lastpage': u'169', u'year': u'1935', u'articletitle': {u'#text': u'On the theory of the dispersion of magnetic permeability in ferromagnetic bodies', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('REFPLAINTEXT', u'Moser R.: Partial regularity for the Landau\u2013Lifshitz equation in small dimensions, vol. 26. MPI Preprint (2002)'), ('REFSTR', "{u'bibunstructured': u'Moser R.: Partial regularity for the Landau\\u2013Lifshitz equation in small dimensions, vol. 26. MPI Preprint (2002)', u'citationnumber': u'16.', u'@id': u'CR16'}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Pazy'), ('YEAR', u'1983'), ('PUBLISHER', u'Semigroups'), ('PUBLISHER', u'of'), ('PUBLISHER', u'linear'), ('PUBLISHER', u'operators'), ('PUBLISHER', u'and'), ('PUBLISHER', u'applications'), ('PUBLISHER', u'to'), ('PUBLISHER', u'partial'), ('PUBLISHER', u'differential'), ('PUBLISHER', u'equations'), ('REFPLAINTEXT', u'Pazy, A.: Semigroups of linear operators and applications to partial differential equations. Springer, Berlin (1983)'), ('REFSTR', "{u'bibunstructured': u'Pazy, A.: Semigroups of linear operators and applications to partial differential equations. Springer, Berlin (1983)', u'citationnumber': u'17.', u'@id': u'CR17', u'bibbook': {u'bibauthorname': {u'familyname': u'Pazy', u'initials': u'A'}, u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/978-1-4612-5561-1', u'@type': u'DOI'}, u'booktitle': u'Semigroups of linear operators and applications to partial differential equations', u'year': u'1983', u'publishername': u'Springer'}}")],
[('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Pu'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Global'), ('TITLE', u'smooth'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'one-'), ('TITLE', u'dimensional'), ('TITLE', u'spin-'), ('TITLE', u'polarized'), ('TITLE', u'transport'), ('TITLE', u'equation'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('VOLUME', u'72'), ('YEAR', u'2010'), ('PAGE', u'1481'), ('DOI', u'10.1016/j.na.2009.08.032'), ('REFPLAINTEXT', u'Pu, X., Guo, B.: Global smooth solutions for the one-dimensional spin-polarized transport equation. Nonlinear Anal. 72, 1481\u20131487 (2010)'), ('REFSTR', "{u'bibunstructured': u'Pu, X., Guo, B.: Global smooth solutions for the one-dimensional spin-polarized transport equation. Nonlinear Anal. 72, 1481\\u20131487 (2010)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Pu', u'initials': u'X'}, {u'familyname': u'Guo', u'initials': u'B'}], u'occurrence': [{u'handle': u'2577549', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.na.2009.08.032', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal.', u'volumeid': u'72', u'firstpage': u'1481', u'lastpage': u'1487', u'year': u'2010', u'articletitle': {u'#text': u'Global smooth solutions for the one-dimensional spin-polarized transport equation', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")],
[('ARXIV', '1808.01798'), ('REFPLAINTEXT', u'Pu, X., Wang, W.: Partial regularity to the Landau\u2013Lifshitz equation with spin accumulation.'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Pu, X., Wang, W.: Partial regularity to the Landau\\u2013Lifshitz equation with spin accumulation.', u'externalref': {u'refsource': u'arXiv:1808.01798', u'reftarget': {u'@address': u'http://arxiv.org/abs/1808.01798', u'@targettype': u'URL'}}}, u'citationnumber': u'19.', u'@id': u'CR19'}")],
[('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Pu'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'The'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'ferromagnetic'), ('TITLE', u'spin'), ('TITLE', u'chain'), ('TITLE', u'and'), ('TITLE', u'OseenFrank'), ('TITLE', u'flow'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'49'), ('ISSUE', u'6'), ('YEAR', u'2017'), ('PAGE', u'5134'), ('DOI', u'10.1137/16M1094907'), ('REFPLAINTEXT', u'Pu, X., Wang, M., Wang, W.: The Landau\u2013Lifshitz equation of the ferromagnetic spin chain and Oseen\u2013Frank flow. SIAM J. Math. Anal. 49(6), 5134\u20135157 (2017)'), ('REFSTR', "{u'bibunstructured': u'Pu, X., Wang, M., Wang, W.: The Landau\\u2013Lifshitz equation of the ferromagnetic spin chain and Oseen\\u2013Frank flow. SIAM J. Math. Anal. 49(6), 5134\\u20135157 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Pu', u'initials': u'X'}, {u'familyname': u'Wang', u'initials': u'M'}, {u'familyname': u'Wang', u'initials': u'W'}], u'issueid': u'6', u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'49', u'firstpage': u'5134', u'lastpage': u'5157', u'year': u'2017', u'articletitle': {u'#text': u'The Landau\\u2013Lifshitz equation of the ferromagnetic spin chain and Oseen\\u2013Frank flow', u'@language': u'En'}, u'occurrence': [{u'handle': u'3738308', u'@type': u'AMSID'}, {u'handle': u'10.1137/16M1094907', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")],
[('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Simon'), ('TITLE', u'Compact'), ('TITLE', u'sets'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'space'), ('TITLE', u'L(0,'), ('TITLE', u'T;B)'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Mat.'), ('JOURNAL', u'Pura'), ('JOURNAL', u'Appl.'), ('VOLUME', u'196'), ('YEAR', u'1987'), ('PAGE', u'65'), ('REFPLAINTEXT', u'Simon, J.: Compact sets in the space L(0, T;B). Ann. Mat. Pura Appl. 196, 65\u201396 (1987)'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Simon, J.: Compact sets in the space L(0, T;B). Ann. Mat. Pura Appl. 196, 65\\u201396 (1987)', u'sup': u'p'}, u'bibarticle': {u'bibauthorname': {u'familyname': u'Simon', u'initials': u'J'}, u'occurrence': {u'handle': u'0629.46031', u'@type': u'ZLBID'}, u'journaltitle': u'Ann. Mat. Pura Appl.', u'volumeid': u'196', u'firstpage': u'65', u'lastpage': u'96', u'year': u'1987', u'articletitle': {u'#text': u'Compact sets in the space L(0, T;B)', u'sup': u'p', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")],
[('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'On'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equation'), ('TITLE', u'in'), ('TITLE', u'dimensions'), ('TITLE', u'at'), ('TITLE', u'most'), ('TITLE', u'four'), ('JOURNAL', u'Indiana'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'J.'), ('VOLUME', u'55'), ('ISSUE', u'5'), ('YEAR', u'2006'), ('PAGE', u'1615'), ('DOI', u'10.1512/iumj.2006.55.2810'), ('REFPLAINTEXT', u'Wang, C.: On Landau\u2013Lifshitz equation in dimensions at most four. Indiana Univ. Math. J. 55(5), 1615\u20131644 (2006)'), ('REFSTR', "{u'bibunstructured': u'Wang, C.: On Landau\\u2013Lifshitz equation in dimensions at most four. Indiana Univ. Math. J. 55(5), 1615\\u20131644 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Wang', u'initials': u'C'}, u'issueid': u'5', u'journaltitle': u'Indiana Univ. Math. J.', u'volumeid': u'55', u'firstpage': u'1615', u'lastpage': u'1644', u'year': u'2006', u'articletitle': {u'#text': u'On Landau\\u2013Lifshitz equation in dimensions at most four', u'@language': u'En'}, u'occurrence': [{u'handle': u'2270931', u'@type': u'AMSID'}, {u'handle': u'10.1512/iumj.2006.55.2810', u'@type': u'DOI'}]}, u'citationnumber': u'22.', u'@id': u'CR22'}")],
[('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Zamponi'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Jngel'), ('TITLE', u'Analysis'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'coupled'), ('TITLE', u'spin'), ('TITLE', u'driftdiffusion'), ('TITLE', u'MaxwellLandauLifshitz'), ('TITLE', u'system'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'260'), ('ISSUE', u'9'), ('YEAR', u'2016'), ('PAGE', u'6828'), ('DOI', u'10.1016/j.jde.2016.01.010'), ('REFPLAINTEXT', u'Zamponi, N., J\xfcngel, A.: Analysis of a coupled spin drift\u2013diffusion Maxwell\u2013Landau\u2013Lifshitz system. J. Differ. Equ. 260(9), 6828\u20136854 (2016)'), ('REFSTR', "{u'bibunstructured': u'Zamponi, N., J\\xfcngel, A.: Analysis of a coupled spin drift\\u2013diffusion Maxwell\\u2013Landau\\u2013Lifshitz system. J. Differ. Equ. 260(9), 6828\\u20136854 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zamponi', u'initials': u'N'}, {u'familyname': u'J\\xfcngel', u'initials': u'A'}], u'issueid': u'9', u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'260', u'firstpage': u'6828', u'lastpage': u'6854', u'year': u'2016', u'articletitle': {u'#text': u'Analysis of a coupled spin drift\\u2013diffusion Maxwell\\u2013Landau\\u2013Lifshitz system', u'@language': u'En'}, u'occurrence': [{u'handle': u'3461086', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.jde.2016.01.010', u'@type': u'DOI'}]}, u'citationnumber': u'23.', u'@id': u'CR23'}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Zheng'), ('AUTHOR_FIRST_NAME', u'PM'), ('AUTHOR_LAST_NAME', u'Levy'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Fert'), ('TITLE', u'Mechanisms'), ('TITLE', u'of'), ('TITLE', u'spin-'), ('TITLE', u'polarized'), ('TITLE', u'current-'), ('TITLE', u'driven'), ('TITLE', u'magnetization'), ('TITLE', u'switching'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'Lett.'), ('VOLUME', u'88'), ('ISSUE', u'23'), ('YEAR', u'2002'), ('PAGE', u'236601'), ('REFPLAINTEXT', u'Zheng, S., Levy, P.M., Fert, A.: Mechanisms of spin-polarized current-driven magnetization switching. Phys. Rev. Lett. 88(23), 236601 (2002)'), ('REFSTR', "{u'bibunstructured': u'Zheng, S., Levy, P.M., Fert, A.: Mechanisms of spin-polarized current-driven magnetization switching. Phys. Rev. Lett. 88(23), 236601 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zheng', u'initials': u'S'}, {u'familyname': u'Levy', u'initials': u'PM'}, {u'familyname': u'Fert', u'initials': u'A'}], u'issueid': u'23', u'journaltitle': u'Phys. Rev. Lett.', u'volumeid': u'88', u'firstpage': u'236601', u'year': u'2002', u'articletitle': {u'#text': u'Mechanisms of spin-polarized current-driven magnetization switching', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevLett.88.236601', u'@type': u'DOI'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")],
[('AUTHOR_FIRST_NAME', u'MJ'), ('AUTHOR_LAST_NAME', u'Ablowitz'), ('AUTHOR_FIRST_NAME', u'PA'), ('AUTHOR_LAST_NAME', u'Clarkson'), ('YEAR', u'1991'), ('PUBLISHER', u'Solitons,'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Evolution'), ('PUBLISHER', u'Equations'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Inverse'), ('PUBLISHER', u'Scattering'), ('REFPLAINTEXT', u'Ablowitz, M.J., Clarkson, P.A.: Solitons, Nonlinear Evolution Equations and Inverse Scattering. Cambridge University Press, Cambridge (1991)'), ('REFSTR', "{u'bibunstructured': u'Ablowitz, M.J., Clarkson, P.A.: Solitons, Nonlinear Evolution Equations and Inverse Scattering. Cambridge University Press, Cambridge (1991)', u'citationnumber': u'1.', u'@id': u'CR1', u'bibbook': {u'bibauthorname': [{u'familyname': u'Ablowitz', u'initials': u'MJ'}, {u'familyname': u'Clarkson', u'initials': u'PA'}], u'publisherlocation': u'Cambridge', u'occurrence': {u'handle': u'10.1017/CBO9780511623998', u'@type': u'DOI'}, u'booktitle': u'Solitons, Nonlinear Evolution Equations and Inverse Scattering', u'year': u'1991', u'publishername': u'Cambridge University Press'}}")],
[('AUTHOR_FIRST_NAME', u'JD'), ('AUTHOR_LAST_NAME', u'Achenbach'), ('YEAR', u'1973'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Propagation'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Solids'), ('REFPLAINTEXT', u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North Holland Publishing Company, Amsterdam (1973)'), ('REFSTR', "{u'bibunstructured': u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North Holland Publishing Company, Amsterdam (1973)', u'citationnumber': u'2.', u'@id': u'CR2', u'bibbook': {u'bibauthorname': {u'familyname': u'Achenbach', u'initials': u'JD'}, u'publisherlocation': u'Amsterdam', u'occurrence': {u'handle': u'0268.73005', u'@type': u'ZLBID'}, u'booktitle': u'Wave Propagation in Elastic Solids', u'year': u'1973', u'publishername': u'North Holland Publishing Company'}}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ahmetolan'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Non-'), ('TITLE', u'linear'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'two-'), ('TITLE', u'layered'), ('TITLE', u'plate'), ('TITLE', u'and'), ('TITLE', u'formation'), ('TITLE', u'of'), ('TITLE', u'surface'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Non'), ('JOURNAL', u'Linear'), ('JOURNAL', u'Mech.'), ('VOLUME', u'38'), ('YEAR', u'2003'), ('PAGE', u'1237'), ('DOI', u'10.1016/S0020-7462(02)00070-7'), ('REFPLAINTEXT', u'Ahmetolan, S., Teymur, M.: Non-linear modulation of SH waves in a two-layered plate and formation of surface SH waves. Int. J. Non Linear Mech. 38, 1237\u20131250 (2003)'), ('REFSTR', "{u'bibunstructured': u'Ahmetolan, S., Teymur, M.: Non-linear modulation of SH waves in a two-layered plate and formation of surface SH waves. Int. J. Non Linear Mech. 38, 1237\\u20131250 (2003)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ahmetolan', u'initials': u'S'}, {u'familyname': u'Teymur', u'initials': u'M'}], u'occurrence': [{u'handle': u'1955183', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0020-7462(02)00070-7', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Non Linear Mech.', u'volumeid': u'38', u'firstpage': u'1237', u'lastpage': u'1250', u'year': u'2003', u'articletitle': {u'#text': u'Non-linear modulation of SH waves in a two-layered plate and formation of surface SH waves', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")],
[('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ahmetolan'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Nonlinear'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'incompressible'), ('TITLE', u'hyperelastic'), ('TITLE', u'plate'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'58'), ('YEAR', u'2007'), ('PAGE', u'457'), ('DOI', u'10.1007/s00033-005-0056-z'), ('REFPLAINTEXT', u'Ahmetolan, S., Teymur, M.: Nonlinear modulation of SH waves in an incompressible hyperelastic plate. Z. Angew. Math. Phys. 58, 457\u2013474 (2007)'), ('REFSTR', "{u'bibunstructured': u'Ahmetolan, S., Teymur, M.: Nonlinear modulation of SH waves in an incompressible hyperelastic plate. Z. Angew. Math. Phys. 58, 457\\u2013474 (2007)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ahmetolan', u'initials': u'S'}, {u'familyname': u'Teymur', u'initials': u'M'}], u'occurrence': [{u'handle': u'2320226', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-005-0056-z', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'58', u'firstpage': u'457', u'lastpage': u'474', u'year': u'2007', u'articletitle': {u'#text': u'Nonlinear modulation of SH waves in an incompressible hyperelastic plate', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")],
[('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Bataille'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Lund'), ('TITLE', u'Nonlinear'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'media'), ('JOURNAL', u'Physica'), ('JOURNAL', u'D'), ('VOLUME', u'6'), ('ISSUE', u'1'), ('YEAR', u'1982'), ('PAGE', u'95'), ('DOI', u'10.1016/0167-2789(82)90007-0'), ('REFPLAINTEXT', u'Bataille, K., Lund, F.: Nonlinear waves in elastic media. Physica D 6(1), 95\u2013104 (1982)'), ('REFSTR', "{u'bibunstructured': u'Bataille, K., Lund, F.: Nonlinear waves in elastic media. Physica D 6(1), 95\\u2013104 (1982)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bataille', u'initials': u'K'}, {u'familyname': u'Lund', u'initials': u'F'}], u'issueid': u'1', u'journaltitle': u'Physica D', u'volumeid': u'6', u'firstpage': u'95', u'lastpage': u'104', u'year': u'1982', u'articletitle': {u'#text': u'Nonlinear waves in elastic media', u'@language': u'En'}, u'occurrence': [{u'handle': u'680897', u'@type': u'AMSID'}, {u'handle': u'10.1016/0167-2789(82)90007-0', u'@type': u'DOI'}]}, u'citationnumber': u'5.', u'@id': u'CR5'}")],
[('AUTHOR_FIRST_NAME', u'MM'), ('AUTHOR_LAST_NAME', u'Carroll'), ('TITLE', u'Some'), ('TITLE', u'results'), ('TITLE', u'on'), ('TITLE', u'finite'), ('TITLE', u'amplitude'), ('TITLE', u'elastic'), ('TITLE', u'waves'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Mech.'), ('VOLUME', u'3'), ('YEAR', u'1967'), ('PAGE', u'167'), ('REFPLAINTEXT', u'Carroll, M.M.: Some results on finite amplitude elastic waves. Acta Mech. 3, 167\u2013181 (1967)'), ('REFSTR', "{u'bibunstructured': u'Carroll, M.M.: Some results on finite amplitude elastic waves. Acta Mech. 3, 167\\u2013181 (1967)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Carroll', u'initials': u'MM'}, u'occurrence': {u'handle': u'10.1007/BF01453713', u'@type': u'DOI'}, u'journaltitle': u'Acta Mech.', u'volumeid': u'3', u'firstpage': u'167', u'lastpage': u'181', u'year': u'1967', u'articletitle': {u'#text': u'Some results on finite amplitude elastic waves', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")],
[('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Deliktas'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Surface'), ('TITLE', u'shear'), ('TITLE', u'horizontal'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'double-'), ('TITLE', u'layered'), ('TITLE', u'nonlinear'), ('TITLE', u'elastic'), ('TITLE', u'half'), ('TITLE', u'space'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'83'), ('ISSUE', u'3'), ('YEAR', u'2018'), ('PAGE', u'471'), ('DOI', u'10.1093/imamat/hxy009'), ('REFPLAINTEXT', u'Deliktas, E., Teymur, M.: Surface shear horizontal waves in a double-layered nonlinear elastic half space. IMA J. Appl. Math. 83(3), 471\u2013495 (2018)'), ('REFSTR', "{u'bibunstructured': u'Deliktas, E., Teymur, M.: Surface shear horizontal waves in a double-layered nonlinear elastic half space. IMA J. Appl. Math. 83(3), 471\\u2013495 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Deliktas', u'initials': u'E'}, {u'familyname': u'Teymur', u'initials': u'M'}], u'issueid': u'3', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'83', u'firstpage': u'471', u'lastpage': u'495', u'year': u'2018', u'articletitle': {u'#text': u'Surface shear horizontal waves in a double-layered nonlinear elastic half space', u'@language': u'En'}, u'occurrence': [{u'handle': u'3810216', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxy009', u'@type': u'DOI'}]}, u'citationnumber': u'7.', u'@id': u'CR7'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Destrade'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('TITLE', u'Finite'), ('TITLE', u'amplitude'), ('TITLE', u'elastic'), ('TITLE', u'waves'), ('TITLE', u'propagating'), ('TITLE', u'in'), ('TITLE', u'compressible'), ('TITLE', u'solids'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'72'), ('YEAR', u'2005'), ('PAGE', u'016620'), ('DOI', u'10.1103/PhysRevE.72.016620'), ('REFPLAINTEXT', u'Destrade, M., Saccomandi, G.: Finite amplitude elastic waves propagating in compressible solids. Phys. Rev. E 72, 016620 (2005)'), ('REFSTR', "{u'bibunstructured': u'Destrade, M., Saccomandi, G.: Finite amplitude elastic waves propagating in compressible solids. Phys. Rev. E 72, 016620 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Destrade', u'initials': u'M'}, {u'familyname': u'Saccomandi', u'initials': u'G'}], u'occurrence': [{u'handle': u'2178391', u'@type': u'AMSID'}, {u'handle': u'10.1103/PhysRevE.72.016620', u'@type': u'DOI'}], u'journaltitle': u'Phys. Rev. E', u'volumeid': u'72', u'firstpage': u'016620', u'year': u'2005', u'articletitle': {u'#text': u'Finite amplitude elastic waves propagating in compressible solids', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Destrade'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('TITLE', u'Solitary'), ('TITLE', u'and'), ('TITLE', u'compactlike'), ('TITLE', u'shear'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'bulk'), ('TITLE', u'of'), ('TITLE', u'solids'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'73'), ('YEAR', u'2006'), ('PAGE', u'065604(R)'), ('DOI', u'10.1103/PhysRevE.73.065604'), ('REFPLAINTEXT', u'Destrade, M., Saccomandi, G.: Solitary and compactlike shear waves in the bulk of solids. Phys. Rev. E 73, 065604(R) (2006)'), ('REFSTR', "{u'bibunstructured': u'Destrade, M., Saccomandi, G.: Solitary and compactlike shear waves in the bulk of solids. Phys. Rev. E 73, 065604(R) (2006)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Destrade', u'initials': u'M'}, {u'familyname': u'Saccomandi', u'initials': u'G'}], u'occurrence': [{u'handle': u'2276285', u'@type': u'AMSID'}, {u'handle': u'10.1103/PhysRevE.73.065604', u'@type': u'DOI'}], u'journaltitle': u'Phys. Rev. E', u'volumeid': u'73', u'firstpage': u'065604(R)', u'year': u'2006', u'articletitle': {u'#text': u'Solitary and compactlike shear waves in the bulk of solids', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Destrade'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('TITLE', u'Nonlinear'), ('TITLE', u'transverse'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'deformed'), ('TITLE', u'dispersive'), ('TITLE', u'solids'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'45'), ('YEAR', u'2008'), ('PAGE', u'325'), ('DOI', u'10.1016/j.wavemoti.2007.07.002'), ('REFPLAINTEXT', u'Destrade, M., Saccomandi, G.: Nonlinear transverse waves in deformed dispersive solids. Wave Motion 45, 325\u2013336 (2008)'), ('REFSTR', "{u'bibunstructured': u'Destrade, M., Saccomandi, G.: Nonlinear transverse waves in deformed dispersive solids. Wave Motion 45, 325\\u2013336 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Destrade', u'initials': u'M'}, {u'familyname': u'Saccomandi', u'initials': u'G'}], u'occurrence': [{u'handle': u'2450051', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.wavemoti.2007.07.002', u'@type': u'DOI'}], u'journaltitle': u'Wave Motion', u'volumeid': u'45', u'firstpage': u'325', u'lastpage': u'336', u'year': u'2008', u'articletitle': {u'#text': u'Nonlinear transverse waves in deformed dispersive solids', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")],
[('AUTHOR_FIRST_NAME', u'RK'), ('AUTHOR_LAST_NAME', u'Dodd'), ('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Eilbeck'), ('AUTHOR_FIRST_NAME', u'JD'), ('AUTHOR_LAST_NAME', u'Gibbon'), ('AUTHOR_FIRST_NAME', u'HC'), ('AUTHOR_LAST_NAME', u'Morris'), ('YEAR', u'1982'), ('PUBLISHER', u'Solitons'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Dodd, R.K., Eilbeck, J.C., Gibbon, J.D., Morris, H.C.: Solitons and Nonlinear Wave Equations. Academic Press, London (1982)'), ('REFSTR', "{u'bibunstructured': u'Dodd, R.K., Eilbeck, J.C., Gibbon, J.D., Morris, H.C.: Solitons and Nonlinear Wave Equations. Academic Press, London (1982)', u'citationnumber': u'11.', u'@id': u'CR11', u'bibbook': {u'bibauthorname': [{u'familyname': u'Dodd', u'initials': u'RK'}, {u'familyname': u'Eilbeck', u'initials': u'JC'}, {u'familyname': u'Gibbon', u'initials': u'JD'}, {u'familyname': u'Morris', u'initials': u'HC'}], u'publisherlocation': u'London', u'occurrence': {u'handle': u'0496.35001', u'@type': u'ZLBID'}, u'booktitle': u'Solitons and Nonlinear Wave Equations', u'year': u'1982', u'publishername': u'Academic Press'}}")],
[('AUTHOR_FIRST_NAME', u'AC'), ('AUTHOR_LAST_NAME', u'Eringen'), ('AUTHOR_FIRST_NAME', u'ES'), ('AUTHOR_LAST_NAME', u'Suhubi'), ('YEAR', u'1974'), ('PUBLISHER', u'Elastodynamics'), ('REFPLAINTEXT', u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. I. Academic Press, New York (1974)'), ('REFSTR', "{u'bibunstructured': u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. I. Academic Press, New York (1974)', u'citationnumber': u'12.', u'@id': u'CR12', u'bibbook': {u'bibauthorname': [{u'familyname': u'Eringen', u'initials': u'AC'}, {u'familyname': u'Suhubi', u'initials': u'ES'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0291.73018', u'@type': u'ZLBID'}, u'booktitle': u'Elastodynamics', u'year': u'1974', u'numberinseries': u'I', u'publishername': u'Academic Press'}}")],
[('AUTHOR_FIRST_NAME', u'AC'), ('AUTHOR_LAST_NAME', u'Eringen'), ('AUTHOR_FIRST_NAME', u'ES'), ('AUTHOR_LAST_NAME', u'Suhubi'), ('YEAR', u'1975'), ('PUBLISHER', u'Elastodynamics'), ('REFPLAINTEXT', u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. II. Academic Press, New York (1975)'), ('REFSTR', "{u'bibunstructured': u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. II. Academic Press, New York (1975)', u'citationnumber': u'13.', u'@id': u'CR13', u'bibbook': {u'bibauthorname': [{u'familyname': u'Eringen', u'initials': u'AC'}, {u'familyname': u'Suhubi', u'initials': u'ES'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0344.73036', u'@type': u'ZLBID'}, u'booktitle': u'Elastodynamics', u'year': u'1975', u'numberinseries': u'II', u'publishername': u'Academic Press'}}")],
[('AUTHOR_FIRST_NAME', u'WM'), ('AUTHOR_LAST_NAME', u'Ewing'), ('AUTHOR_FIRST_NAME', u'WS'), ('AUTHOR_LAST_NAME', u'Jardetsky'), ('YEAR', u'1957'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Layered'), ('PUBLISHER', u'Media'), ('REFPLAINTEXT', u'Ewing, W.M., Jardetsky, W.S.: Elastic Waves in Layered Media. McGraw-Hill, New York (1957)'), ('REFSTR', "{u'bibunstructured': u'Ewing, W.M., Jardetsky, W.S.: Elastic Waves in Layered Media. McGraw-Hill, New York (1957)', u'citationnumber': u'14.', u'@id': u'CR14', u'bibbook': {u'bibauthorname': [{u'familyname': u'Ewing', u'initials': u'WM'}, {u'familyname': u'Jardetsky', u'initials': u'WS'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'10.1063/1.3060203', u'@type': u'DOI'}, u'booktitle': u'Elastic Waves in Layered Media', u'year': u'1957', u'publishername': u'McGraw-Hill'}}")],
[('AUTHOR_FIRST_NAME', u'GW'), ('AUTHOR_LAST_NAME', u'Farnell'), ('YEAR', u'1978'), ('PAGE', u'13'), ('PUBLISHER', u'Acoustic'), ('PUBLISHER', u'Surface'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Farnell, G.W.: Types and properties of surface waves. In: Oliner, A.A. (ed.) Acoustic Surface Waves, pp. 13\u201360. Springer, Berlin (1978)'), ('REFSTR', "{u'bibunstructured': u'Farnell, G.W.: Types and properties of surface waves. In: Oliner, A.A. (ed.) Acoustic Surface Waves, pp. 13\\u201360. Springer, Berlin (1978)', u'bibchapter': {u'eds': {u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/3-540-08575-0_9', u'@type': u'DOI'}, u'booktitle': u'Acoustic Surface Waves', u'firstpage': u'13', u'lastpage': u'60', u'publishername': u'Springer'}, u'bibauthorname': {u'familyname': u'Farnell', u'initials': u'GW'}, u'chaptertitle': {u'#text': u'Types and properties of surface waves', u'@language': u'En'}, u'bibeditorname': {u'familyname': u'Oliner', u'initials': u'AA'}, u'year': u'1978'}, u'citationnumber': u'15.', u'@id': u'CR15'}")],
[('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Fu'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'propagation'), ('TITLE', u'of'), ('TITLE', u'nonlinear'), ('TITLE', u'travelling'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'incompressible'), ('TITLE', u'elastic'), ('TITLE', u'plate'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'19'), ('ISSUE', u'3'), ('YEAR', u'1994'), ('PAGE', u'271'), ('DOI', u'10.1016/0165-2125(94)90058-2'), ('REFPLAINTEXT', u'Fu, Y.: On the propagation of nonlinear travelling waves in an incompressible elastic plate. Wave Motion 19(3), 271\u2013292 (1994)'), ('REFSTR', "{u'bibunstructured': u'Fu, Y.: On the propagation of nonlinear travelling waves in an incompressible elastic plate. Wave Motion 19(3), 271\\u2013292 (1994)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Fu', u'initials': u'Y'}, u'issueid': u'3', u'journaltitle': u'Wave Motion', u'volumeid': u'19', u'firstpage': u'271', u'lastpage': u'292', u'year': u'1994', u'articletitle': {u'#text': u'On the propagation of nonlinear travelling waves in an incompressible elastic plate', u'@language': u'En'}, u'occurrence': [{u'handle': u'1276942', u'@type': u'AMSID'}, {u'handle': u'10.1016/0165-2125(94)90058-2', u'@type': u'DOI'}]}, u'citationnumber': u'16.', u'@id': u'CR16'}")],
[('AUTHOR_FIRST_NAME', u'YB'), ('AUTHOR_LAST_NAME', u'Fu'), ('AUTHOR_FIRST_NAME', u'RW'), ('AUTHOR_LAST_NAME', u'Ogden'), ('TITLE', u'Nonlinear'), ('TITLE', u'stability'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'pre-'), ('TITLE', u'stressed'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Thermodyn.'), ('VOLUME', u'11'), ('ISSUE', u'3'), ('YEAR', u'1999'), ('PAGE', u'141'), ('DOI', u'10.1007/s001610050108'), ('REFPLAINTEXT', u'Fu, Y.B., Ogden, R.W.: Nonlinear stability analysis of pre-stressed elastic bodies. Contin. Mech. Thermodyn. 11(3), 141\u2013172 (1999)'), ('REFSTR', "{u'bibunstructured': u'Fu, Y.B., Ogden, R.W.: Nonlinear stability analysis of pre-stressed elastic bodies. Contin. Mech. Thermodyn. 11(3), 141\\u2013172 (1999)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fu', u'initials': u'YB'}, {u'familyname': u'Ogden', u'initials': u'RW'}], u'issueid': u'3', u'journaltitle': u'Contin. Mech. Thermodyn.', u'volumeid': u'11', u'firstpage': u'141', u'lastpage': u'172', u'year': u'1999', u'articletitle': {u'#text': u'Nonlinear stability analysis of pre-stressed elastic bodies', u'@language': u'En'}, u'occurrence': [{u'handle': u'1701411', u'@type': u'AMSID'}, {u'handle': u'10.1007/s001610050108', u'@type': u'DOI'}]}, u'citationnumber': u'17.', u'@id': u'CR17'}")],
[('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Jeffrey'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kawahara'), ('YEAR', u'1982'), ('PUBLISHER', u'Asymptotic'), ('PUBLISHER', u'Methods'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Theory'), ('REFPLAINTEXT', u'Jeffrey, A., Kawahara, T.: Asymptotic Methods in Nonlinear Wave Theory. Pitman Advenced Publishing, Boston (1982)'), ('REFSTR', "{u'bibunstructured': u'Jeffrey, A., Kawahara, T.: Asymptotic Methods in Nonlinear Wave Theory. Pitman Advenced Publishing, Boston (1982)', u'citationnumber': u'18.', u'@id': u'CR18', u'bibbook': {u'bibauthorname': [{u'familyname': u'Jeffrey', u'initials': u'A'}, {u'familyname': u'Kawahara', u'initials': u'T'}], u'publisherlocation': u'Boston', u'occurrence': {u'handle': u'0473.35002', u'@type': u'ZLBID'}, u'booktitle': u'Asymptotic Methods in Nonlinear Wave Theory', u'year': u'1982', u'publishername': u'Pitman Advenced Publishing'}}")],
[('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kakutani'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Michihiro'), ('TITLE', u'Marginal'), ('TITLE', u'state'), ('TITLE', u'of'), ('TITLE', u'modulational'), ('TITLE', u'instability-'), ('TITLE', u'note'), ('TITLE', u'on'), ('TITLE', u'BenjaminFeir'), ('TITLE', u'instability'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Jpn.'), ('VOLUME', u'52'), ('ISSUE', u'12'), ('YEAR', u'1983'), ('PAGE', u'4129'), ('REFPLAINTEXT', u'Kakutani, T., Michihiro, K.: Marginal state of modulational instability-note on Benjamin\u2013Feir instability. J. Phys. Soc. Jpn. 52(12), 4129\u20134137 (1983)'), ('REFSTR', "{u'bibunstructured': u'Kakutani, T., Michihiro, K.: Marginal state of modulational instability-note on Benjamin\\u2013Feir instability. J. Phys. Soc. Jpn. 52(12), 4129\\u20134137 (1983)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kakutani', u'initials': u'T'}, {u'familyname': u'Michihiro', u'initials': u'K'}], u'issueid': u'12', u'journaltitle': u'J. Phys. Soc. Jpn.', u'volumeid': u'52', u'firstpage': u'4129', u'lastpage': u'4137', u'year': u'1983', u'articletitle': {u'#text': u'Marginal state of modulational instability-note on Benjamin\\u2013Feir instability', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1143/JPSJ.52.4129', u'@type': u'DOI'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")],
[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Kayestha'), ('AUTHOR_FIRST_NAME', u'ER'), ('AUTHOR_LAST_NAME', u'Ferreira'), ('AUTHOR_FIRST_NAME', u'AC'), ('AUTHOR_LAST_NAME', u'Wijeyewickrema'), ('TITLE', u'Finite-'), ('TITLE', u'amplitude'), ('TITLE', u'shear'), ('TITLE', u'horizontal'), ('TITLE', u'waves'), ('TITLE', u'propagating'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'pre-'), ('TITLE', u'stressed'), ('TITLE', u'layer'), ('TITLE', u'between'), ('TITLE', u'two'), ('TITLE', u'half-'), ('TITLE', u'spaces'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'50'), ('YEAR', u'2013'), ('PAGE', u'3586'), ('REFPLAINTEXT', u'Kayestha, P., Ferreira, E.R., Wijeyewickrema, A.C.: Finite-amplitude shear horizontal waves propagating in a pre- stressed layer between two half-spaces. Int. J. Solids Struct. 50, 3586\u20133596 (2013)'), ('REFSTR', "{u'bibunstructured': u'Kayestha, P., Ferreira, E.R., Wijeyewickrema, A.C.: Finite-amplitude shear horizontal waves propagating in a pre- stressed layer between two half-spaces. Int. J. Solids Struct. 50, 3586\\u20133596 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kayestha', u'initials': u'P'}, {u'familyname': u'Ferreira', u'initials': u'ER'}, {u'familyname': u'Wijeyewickrema', u'initials': u'AC'}], u'occurrence': {u'handle': u'10.1016/j.ijsolstr.2013.07.002', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'50', u'firstpage': u'3586', u'lastpage': u'3596', u'year': u'2013', u'articletitle': {u'#text': u'Finite-amplitude shear horizontal waves propagating in a pre- stressed layer between two half-spaces', u'@language': u'En'}}, u'citationnumber': u'20.', u'@id': u'CR20'}")],
[('AUTHOR_FIRST_NAME', u'GA'), ('AUTHOR_LAST_NAME', u'Maugin'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Hadouaj'), ('TITLE', u'Solitary'), ('TITLE', u'surface'), ('TITLE', u'transverse'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'substrate'), ('TITLE', u'coated'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'thin'), ('TITLE', u'film'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'B'), ('VOLUME', u'44'), ('YEAR', u'1991'), ('PAGE', u'1266'), ('REFPLAINTEXT', u'Maugin, G.A., Hadouaj, H.: Solitary surface transverse waves on an elastic substrate coated with a thin film. Phys. Rev. B 44, 1266\u20131280 (1991)'), ('REFSTR', "{u'bibunstructured': u'Maugin, G.A., Hadouaj, H.: Solitary surface transverse waves on an elastic substrate coated with a thin film. Phys. Rev. B 44, 1266\\u20131280 (1991)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Maugin', u'initials': u'GA'}, {u'familyname': u'Hadouaj', u'initials': u'H'}], u'occurrence': {u'handle': u'10.1103/PhysRevB.44.1266', u'@type': u'DOI'}, u'journaltitle': u'Phys. Rev. B', u'volumeid': u'44', u'firstpage': u'1266', u'lastpage': u'1280', u'year': u'1991', u'articletitle': {u'#text': u'Solitary surface transverse waves on an elastic substrate coated with a thin film', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")],
[('AUTHOR_FIRST_NAME', u'AP'), ('AUTHOR_LAST_NAME', u'Mayer'), ('TITLE', u'Surface'), ('TITLE', u'acoustic'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'nonlinear'), ('TITLE', u'elastic'), ('TITLE', u'media'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rep.'), ('VOLUME', u'256'), ('YEAR', u'1995'), ('PAGE', u'237'), ('REFPLAINTEXT', u'Mayer, A.P.: Surface acoustic waves in nonlinear elastic media. Phys. Rep. 256, 237\u2013366 (1995)'), ('REFSTR', "{u'bibunstructured': u'Mayer, A.P.: Surface acoustic waves in nonlinear elastic media. Phys. Rep. 256, 237\\u2013366 (1995)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Mayer', u'initials': u'AP'}, u'occurrence': {u'handle': u'10.1016/0370-1573(94)00088-K', u'@type': u'DOI'}, u'journaltitle': u'Phys. Rep.', u'volumeid': u'256', u'firstpage': u'237', u'lastpage': u'366', u'year': u'1995', u'articletitle': {u'#text': u'Surface acoustic waves in nonlinear elastic media', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")],
[('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Miklowitz'), ('YEAR', u'1978'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Waveguides'), ('REFPLAINTEXT', u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North Holland Publishing Co., Amsterdam (1978)'), ('REFSTR', "{u'bibunstructured': u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North Holland Publishing Co., Amsterdam (1978)', u'citationnumber': u'23.', u'@id': u'CR23', u'bibbook': {u'publisherlocation': u'Amsterdam', u'bibauthorname': {u'familyname': u'Miklowitz', u'initials': u'J'}, u'publishername': u'North Holland Publishing Co.', u'booktitle': u'The Theory of Elastic Waves and Waveguides', u'year': u'1978'}}")],
[('AUTHOR_FIRST_NAME', u'AH'), ('AUTHOR_LAST_NAME', u'Nayfeh'), ('TITLE', u'Third-'), ('TITLE', u'harmonic'), ('TITLE', u'resonance'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'interaction'), ('TITLE', u'of'), ('TITLE', u'capillary'), ('TITLE', u'and'), ('TITLE', u'gravity'), ('TITLE', u'waves'), ('JOURNAL', u'J.'), ('JOURNAL', u'Fluid'), ('JOURNAL', u'Mech.'), ('VOLUME', u'48'), ('ISSUE', u'2'), ('YEAR', u'1971'), ('PAGE', u'385'), ('REFPLAINTEXT', u'Nayfeh, A.H.: Third-harmonic resonance in the interaction of capillary and gravity waves. J. Fluid Mech. 48(2), 385\u2013395 (1971)'), ('REFSTR', "{u'bibunstructured': u'Nayfeh, A.H.: Third-harmonic resonance in the interaction of capillary and gravity waves. J. Fluid Mech. 48(2), 385\\u2013395 (1971)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Nayfeh', u'initials': u'AH'}, u'issueid': u'2', u'journaltitle': u'J. Fluid Mech.', u'volumeid': u'48', u'firstpage': u'385', u'lastpage': u'395', u'year': u'1971', u'articletitle': {u'#text': u'Third-harmonic resonance in the interaction of capillary and gravity waves', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1017/S0022112071001630', u'@type': u'DOI'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")],
[('AUTHOR_FIRST_NAME', u'DF'), ('AUTHOR_LAST_NAME', u'Parker'), ('AUTHOR_FIRST_NAME', u'FM'), ('AUTHOR_LAST_NAME', u'Talbot'), ('TITLE', u'Analysis'), ('TITLE', u'and'), ('TITLE', u'computation'), ('TITLE', u'for'), ('TITLE', u'nonlinear'), ('TITLE', u'elastic'), ('TITLE', u'surface'), ('TITLE', u'waves'), ('TITLE', u'of'), ('TITLE', u'permanent'), ('TITLE', u'form'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'15'), ('ISSUE', u'4'), ('YEAR', u'1985'), ('PAGE', u'389'), ('DOI', u'10.1007/BF00042530'), ('REFPLAINTEXT', u'Parker, D.F., Talbot, F.M.: Analysis and computation for nonlinear elastic surface waves of permanent form. J. Elast. 15(4), 389\u2013426 (1985)'), ('REFSTR', "{u'bibunstructured': u'Parker, D.F., Talbot, F.M.: Analysis and computation for nonlinear elastic surface waves of permanent form. J. Elast. 15(4), 389\\u2013426 (1985)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Parker', u'initials': u'DF'}, {u'familyname': u'Talbot', u'initials': u'FM'}], u'issueid': u'4', u'journaltitle': u'J. Elast.', u'volumeid': u'15', u'firstpage': u'389', u'lastpage': u'426', u'year': u'1985', u'articletitle': {u'#text': u'Analysis and computation for nonlinear elastic surface waves of permanent form', u'@language': u'En'}, u'occurrence': [{u'handle': u'817377', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF00042530', u'@type': u'DOI'}]}, u'citationnumber': u'25.', u'@id': u'CR25'}")],
[('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Peregrine'), ('TITLE', u'Water'), ('TITLE', u'waves,'), ('TITLE', u'non-'), ('TITLE', u'linear'), ('TITLE', u'Schrdinger'), ('TITLE', u'equations'), ('TITLE', u'and'), ('TITLE', u'their'), ('TITLE', u'solutions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Aust.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Ser.'), ('JOURNAL', u'B'), ('VOLUME', u'25'), ('YEAR', u'1983'), ('PAGE', u'16'), ('REFPLAINTEXT', u'Peregrine, D.H.: Water waves, non-linear Schr\xf6dinger equations and their solutions. J. Aust. Math. Soc. Ser. B 25, 16\u201343 (1983)'), ('REFSTR', "{u'bibunstructured': u'Peregrine, D.H.: Water waves, non-linear Schr\\xf6dinger equations and their solutions. J. Aust. Math. Soc. Ser. B 25, 16\\u201343 (1983)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Peregrine', u'initials': u'DH'}, u'occurrence': {u'handle': u'10.1017/S0334270000003891', u'@type': u'DOI'}, u'journaltitle': u'J. Aust. Math. Soc. Ser. B', u'volumeid': u'25', u'firstpage': u'16', u'lastpage': u'43', u'year': u'1983', u'articletitle': {u'#text': u'Water waves, non-linear Schr\\xf6dinger equations and their solutions', u'@language': u'En'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")],
[('AUTHOR_FIRST_NAME', u'AV'), ('AUTHOR_LAST_NAME', u'Porubov'), ('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Samsonov'), ('TITLE', u'Long'), ('TITLE', u'nonlinear'), ('TITLE', u'strain'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'layered'), ('TITLE', u'elastic'), ('TITLE', u'half'), ('TITLE', u'space'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'30'), ('ISSUE', u'6'), ('YEAR', u'1995'), ('PAGE', u'861'), ('REFPLAINTEXT', u'Porubov, A.V., Samsonov, A.M.: Long nonlinear strain waves in layered elastic half space. Int. J. Eng. Sci. 30(6), 861\u2013877 (1995)'), ('REFSTR', "{u'bibunstructured': u'Porubov, A.V., Samsonov, A.M.: Long nonlinear strain waves in layered elastic half space. Int. J. Eng. Sci. 30(6), 861\\u2013877 (1995)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Porubov', u'initials': u'AV'}, {u'familyname': u'Samsonov', u'initials': u'AM'}], u'issueid': u'6', u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'30', u'firstpage': u'861', u'lastpage': u'877', u'year': u'1995', u'articletitle': {u'#text': u'Long nonlinear strain waves in layered elastic half space', u'@language': u'En'}, u'occurrence': {u'handle': u'0947.74026', u'@type': u'ZLBID'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")],
[('AUTHOR_FIRST_NAME', u'AV'), ('AUTHOR_LAST_NAME', u'Porubov'), ('AUTHOR_FIRST_NAME', u'DF'), ('AUTHOR_LAST_NAME', u'Parker'), ('TITLE', u'Some'), ('TITLE', u'general'), ('TITLE', u'periodic'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'coupled'), ('TITLE', u'nonlinear'), ('TITLE', u'Schrdinger'), ('TITLE', u'equations'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'29'), ('ISSUE', u'2'), ('YEAR', u'1999'), ('PAGE', u'97'), ('DOI', u'10.1016/S0165-2125(98)00033-X'), ('REFPLAINTEXT', u'Porubov, A.V., Parker, D.F.: Some general periodic solutions to coupled nonlinear Schr\xf6dinger equations. Wave Motion 29(2), 97\u2013109 (1999)'), ('REFSTR', "{u'bibunstructured': u'Porubov, A.V., Parker, D.F.: Some general periodic solutions to coupled nonlinear Schr\\xf6dinger equations. Wave Motion 29(2), 97\\u2013109 (1999)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Porubov', u'initials': u'AV'}, {u'familyname': u'Parker', u'initials': u'DF'}], u'issueid': u'2', u'journaltitle': u'Wave Motion', u'volumeid': u'29', u'firstpage': u'97', u'lastpage': u'109', u'year': u'1999', u'articletitle': {u'#text': u'Some general periodic solutions to coupled nonlinear Schr\\xf6dinger equations', u'@language': u'En'}, u'occurrence': [{u'handle': u'1659447', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0165-2125(98)00033-X', u'@type': u'DOI'}]}, u'citationnumber': u'28.', u'@id': u'CR28'}")],
[('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Rogers'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Vergori'), ('TITLE', u'Carroll-'), ('TITLE', u'Type'), ('TITLE', u'deformations'), ('TITLE', u'in'), ('TITLE', u'nonlinear'), ('TITLE', u'elastodynamics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Theor.'), ('VOLUME', u'47'), ('YEAR', u'2014'), ('PAGE', u'205204'), ('DOI', u'10.1088/1751-8113/47/20/205204'), ('REFPLAINTEXT', u'Rogers, C., Saccomandi, G., Vergori, L.: Carroll- Type deformations in nonlinear elastodynamics. J. Phys. A Math. Theor. 47, 205204 (2014)'), ('REFSTR', "{u'bibunstructured': u'Rogers, C., Saccomandi, G., Vergori, L.: Carroll- Type deformations in nonlinear elastodynamics. J. Phys. A Math. Theor. 47, 205204 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Rogers', u'initials': u'C'}, {u'familyname': u'Saccomandi', u'initials': u'G'}, {u'familyname': u'Vergori', u'initials': u'L'}], u'occurrence': [{u'handle': u'3205918', u'@type': u'AMSID'}, {u'handle': u'10.1088/1751-8113/47/20/205204', u'@type': u'DOI'}], u'journaltitle': u'J. Phys. A Math. Theor.', u'volumeid': u'47', u'firstpage': u'205204', u'year': u'2014', u'articletitle': {u'#text': u'Carroll- Type deformations in nonlinear elastodynamics', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")],
[('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Vitolo'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'mathematical'), ('TITLE', u'and'), ('TITLE', u'geometrical'), ('TITLE', u'structure'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'determining'), ('TITLE', u'equations'), ('TITLE', u'for'), ('TITLE', u'shear'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'nonlinear'), ('TITLE', u'isotropic'), ('TITLE', u'incompresible'), ('TITLE', u'elastodynamics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'55'), ('YEAR', u'2014'), ('PAGE', u'081502'), ('DOI', u'10.1063/1.4891602'), ('REFPLAINTEXT', u'Saccomandi, G., Vitolo, R.: On the mathematical and geometrical structure of the determining equations for shear waves in nonlinear isotropic incompresible elastodynamics. J. Math. Phys. 55, 081502 (2014)'), ('REFSTR', "{u'bibunstructured': u'Saccomandi, G., Vitolo, R.: On the mathematical and geometrical structure of the determining equations for shear waves in nonlinear isotropic incompresible elastodynamics. J. Math. Phys. 55, 081502 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Saccomandi', u'initials': u'G'}, {u'familyname': u'Vitolo', u'initials': u'R'}], u'occurrence': [{u'handle': u'3390691', u'@type': u'AMSID'}, {u'handle': u'10.1063/1.4891602', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Phys.', u'volumeid': u'55', u'firstpage': u'081502', u'year': u'2014', u'articletitle': {u'#text': u'On the mathematical and geometrical structure of the determining equations for shear waves in nonlinear isotropic incompresible elastodynamics', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Nonlinear'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'Love'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'compressible'), ('TITLE', u'hyperelastic'), ('TITLE', u'layered'), ('TITLE', u'half'), ('TITLE', u'space'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'26'), ('YEAR', u'1988'), ('PAGE', u'907'), ('DOI', u'10.1016/0020-7225(88)90021-3'), ('REFPLAINTEXT', u'Teymur, M.: Nonlinear modulation of Love waves in a compressible hyperelastic layered half space. Int. J. Eng. Sci. 26, 907\u2013927 (1988)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M.: Nonlinear modulation of Love waves in a compressible hyperelastic layered half space. Int. J. Eng. Sci. 26, 907\\u2013927 (1988)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Teymur', u'initials': u'M'}, u'occurrence': [{u'handle': u'964165', u'@type': u'AMSID'}, {u'handle': u'10.1016/0020-7225(88)90021-3', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'26', u'firstpage': u'907', u'lastpage': u'927', u'year': u'1988', u'articletitle': {u'#text': u'Nonlinear modulation of Love waves in a compressible hyperelastic layered half space', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('YEAR', u'1989'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Motion'), ('REFPLAINTEXT', u'Teymur, M.: Nonlinear modulation and the fifth-harmonic resonance of Love waves on a neo-Hookean layered half-space. In: Jeffrey, A. (ed.) Nonlinear Wave Motion. Longman, Harlow, Essex (1989)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M.: Nonlinear modulation and the fifth-harmonic resonance of Love waves on a neo-Hookean layered half-space. In: Jeffrey, A. (ed.) Nonlinear Wave Motion. Longman, Harlow, Essex (1989)', u'bibchapter': {u'eds': {u'publisherlocation': u'Harlow, Essex', u'booktitle': u'Nonlinear Wave Motion', u'publishername': u'Longman', u'occurrence': {u'handle': u'0681.73014', u'@type': u'ZLBID'}}, u'bibauthorname': {u'familyname': u'Teymur', u'initials': u'M'}, u'chaptertitle': {u'#text': u'Nonlinear modulation and the fifth-harmonic resonance of Love waves on a neo-Hookean layered half-space', u'@language': u'En'}, u'bibeditorname': {u'familyname': u'Jeffrey', u'initials': u'A'}, u'year': u'1989'}, u'citationnumber': u'32.', u'@id': u'CR32'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Small'), ('TITLE', u'but'), ('TITLE', u'finite'), ('TITLE', u'amplitude'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'two-'), ('TITLE', u'layered'), ('TITLE', u'incompressible'), ('TITLE', u'elastic'), ('TITLE', u'medium'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'34'), ('YEAR', u'1996'), ('PAGE', u'227'), ('DOI', u'10.1016/0020-7225(95)00084-4'), ('REFPLAINTEXT', u'Teymur, M.: Small but finite amplitude waves in a two-layered incompressible elastic medium. Int. J. Eng. Sci. 34, 227\u2013241 (1996)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M.: Small but finite amplitude waves in a two-layered incompressible elastic medium. Int. J. Eng. Sci. 34, 227\\u2013241 (1996)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Teymur', u'initials': u'M'}, u'occurrence': [{u'handle': u'1367605', u'@type': u'AMSID'}, {u'handle': u'10.1016/0020-7225(95)00084-4', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'34', u'firstpage': u'227', u'lastpage': u'241', u'year': u'1996', u'articletitle': {u'#text': u'Small but finite amplitude waves in a two-layered incompressible elastic medium', u'@language': u'En'}}, u'citationnumber': u'33.', u'@id': u'CR33'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Demirci'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ahmetolan'), ('TITLE', u'Propagation'), ('TITLE', u'of'), ('TITLE', u'surface'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'a'), ('TITLE', u'half'), ('TITLE', u'space'), ('TITLE', u'covered'), ('TITLE', u'by'), ('TITLE', u'a'), ('TITLE', u'nonlinear'), ('TITLE', u'thin'), ('TITLE', u'layer'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'85'), ('YEAR', u'2014'), ('PAGE', u'150'), ('REFPLAINTEXT', u'Teymur, M., Demirci, A., Ahmetolan, S.: Propagation of surface SH waves on a half space covered by a nonlinear thin layer. Int. J. Eng. Sci. 85, 150\u2013162 (2014)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M., Demirci, A., Ahmetolan, S.: Propagation of surface SH waves on a half space covered by a nonlinear thin layer. Int. J. Eng. Sci. 85, 150\\u2013162 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Teymur', u'initials': u'M'}, {u'familyname': u'Demirci', u'initials': u'A'}, {u'familyname': u'Ahmetolan', u'initials': u'S'}], u'occurrence': {u'handle': u'10.1016/j.ijengsci.2014.08.005', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'85', u'firstpage': u'150', u'lastpage': u'162', u'year': u'2014', u'articletitle': {u'#text': u'Propagation of surface SH waves on a half space covered by a nonlinear thin layer', u'@language': u'En'}}, u'citationnumber': u'34.', u'@id': u'CR34'}")],
[('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('AUTHOR_FIRST_NAME', u'H&Idot'), ('AUTHOR_LAST_NAME', u'Var'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Deliktas'), ('YEAR', u'2019'), ('PUBLISHER', u'Dynamical'), ('PUBLISHER', u'Processes'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Generalized'), ('PUBLISHER', u'Continua'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Structures'), ('REFPLAINTEXT', u'Teymur, M., Var, H&Idot., Deliktas, E.: Nonlinear modulation of surface SH waves in a double layered elastic half space. In: Altenbach, H., Belyaev, A., Eremeyev, V., Krivtsov, A., Porubov, A. (eds.) Dynamical Processes in Generalized Continua and Structures. Advanced Structured Materials, vol. 103. Springer, Cham (2019)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M., Var, H&Idot., Deliktas, E.: Nonlinear modulation of surface SH waves in a double layered elastic half space. In: Altenbach, H., Belyaev, A., Eremeyev, V., Krivtsov, A., Porubov, A. (eds.) Dynamical Processes in Generalized Continua and Structures. Advanced Structured Materials, vol. 103. Springer, Cham (2019)', u'bibchapter': {u'eds': {u'seriestitle': {u'#text': u'Advanced Structured Materials', u'@language': u'En'}, u'publisherlocation': u'Cham', u'occurrence': {u'handle': u'10.1007/978-3-030-11665-1_27', u'@type': u'DOI'}, u'booktitle': u'Dynamical Processes in Generalized Continua and Structures', u'numberinseries': u'103', u'publishername': u'Springer'}, u'bibauthorname': [{u'familyname': u'Teymur', u'initials': u'M'}, {u'familyname': u'Var', u'initials': u'H&Idot'}, {u'familyname': u'Deliktas', u'initials': u'E'}], u'chaptertitle': {u'#text': u'Nonlinear modulation of surface SH waves in a double layered elastic half space', u'@language': u'En'}, u'bibeditorname': [{u'familyname': u'Altenbach', u'initials': u'H'}, {u'familyname': u'Belyaev', u'initials': u'A'}, {u'familyname': u'Eremeyev', u'initials': u'V'}, {u'familyname': u'Krivtsov', u'initials': u'A'}, {u'familyname': u'Porubov', u'initials': u'A'}], u'year': u'2019'}, u'citationnumber': u'35.', u'@id': u'CR35'}")],
[('AUTHOR_FIRST_NAME', u'GB'), ('AUTHOR_LAST_NAME', u'Whitham'), ('YEAR', u'1974'), ('PUBLISHER', u'Linear'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Whitham, G.B.: Linear and Nonlinear Waves. Wiley, New York (1974)'), ('REFSTR', "{u'bibunstructured': u'Whitham, G.B.: Linear and Nonlinear Waves. Wiley, New York (1974)', u'citationnumber': u'36.', u'@id': u'CR36', u'bibbook': {u'bibauthorname': {u'familyname': u'Whitham', u'initials': u'GB'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0373.76001', u'@type': u'ZLBID'}, u'booktitle': u'Linear and Nonlinear Waves', u'year': u'1974', u'publishername': u'Wiley'}}")],
[('AUTHOR_FIRST_NAME', u'VE'), ('AUTHOR_LAST_NAME', u'Zakharov'), ('AUTHOR_FIRST_NAME', u'AB'), ('AUTHOR_LAST_NAME', u'Shabat'), ('TITLE', u'Interaction'), ('TITLE', u'between'), ('TITLE', u'solitons'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'stable'), ('TITLE', u'medium'), ('JOURNAL', u'Sov.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'JETP'), ('VOLUME', u'37'), ('YEAR', u'1973'), ('PAGE', u'823'), ('REFPLAINTEXT', u'Zakharov, V.E., Shabat, A.B.: Interaction between solitons in a stable medium. Sov. Phys. JETP 37, 823 (1973)'), ('REFSTR', "{u'bibunstructured': u'Zakharov, V.E., Shabat, A.B.: Interaction between solitons in a stable medium. Sov. Phys. JETP 37, 823 (1973)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zakharov', u'initials': u'VE'}, {u'familyname': u'Shabat', u'initials': u'AB'}], u'journaltitle': u'Sov. Phys. JETP', u'volumeid': u'37', u'firstpage': u'823', u'year': u'1973', u'articletitle': {u'#text': u'Interaction between solitons in a stable medium', u'@language': u'En'}}, u'citationnumber': u'37.', u'@id': u'CR37'}")]] | train_1 = [[[('AUTHOR_FIRST_NAME', u'J.D.'), ('AUTHOR_LAST_NAME', u'Adams'), ('AUTHOR_FIRST_NAME', u'T.L.'), ('AUTHOR_LAST_NAME', u'Herter'), ('AUTHOR_FIRST_NAME', u'G.E.'), ('AUTHOR_LAST_NAME', u'Gull'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Shoenwald'), ('AUTHOR_FIRST_NAME', u'C.P.'), ('AUTHOR_LAST_NAME', u'Henderson'), ('AUTHOR_FIRST_NAME', u'L.D.'), ('AUTHOR_LAST_NAME', u'Keller'), ('AUTHOR_FIRST_NAME', u'J.M.'), ('AUTHOR_LAST_NAME', u'DeBuizer'), ('AUTHOR_FIRST_NAME', u'G.J.'), ('AUTHOR_LAST_NAME', u'Stacey'), ('AUTHOR_FIRST_NAME', u'T.'), ('AUTHOR_LAST_NAME', u'Nikola'), ('TITLE', u'FORCAST:'), ('TITLE', u'A'), ('TITLE', u'first'), ('TITLE', u'light'), ('TITLE', u'facility'), ('TITLE', u'instrument'), ('TITLE', u'for'), ('TITLE', u'SOFIA:'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'SPIE'), ('VOLUME', u'7735'), ('YEAR', u'2010'), ('PAGE', u'eid7735 1U')], [('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Bertero'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Boccacci'), ('TITLE', u'Introduction'), ('TITLE', u'to'), ('TITLE', u'Inverse'), ('TITLE', u'Problems'), ('TITLE', u'in'), ('TITLE', u'Imaging:'), ('PUBLISHER', u'CRC'), ('PUBLISHER', u'Press'), ('YEAR', u'1998'), ('PAGE', u'352')], [('AUTHOR_FIRST_NAME', u'B.J.'), ('AUTHOR_LAST_NAME', u'Conrath'), ('AUTHOR_FIRST_NAME', u'P.J.'), ('AUTHOR_LAST_NAME', u'Gierasch'), ('AUTHOR_FIRST_NAME', u'E.A.'), ('AUTHOR_LAST_NAME', u'Ustinov'), ('TITLE', u'Thermal'), ('TITLE', u'structure'), ('TITLE', u'and'), ('TITLE', u'para'), ('TITLE', u'hydrogen'), ('TITLE', u'fraction'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'outer'), ('TITLE', u'planets'), ('TITLE', u'from'), ('TITLE', u'Voyager'), ('TITLE', u'IRIS'), ('TITLE', u'measurements:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'135'), ('YEAR', u'1998'), ('PAGE', u'501-517')], [('AUTHOR_FIRST_NAME', u'B.J.'), ('AUTHOR_LAST_NAME', u'Conrath'), ('AUTHOR_FIRST_NAME', u'P.J.'), ('AUTHOR_LAST_NAME', u'Gierasch'), ('TITLE', u'Global'), ('TITLE', u'variation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'para'), ('TITLE', u'hydrogen'), ('TITLE', u'fraction'), ('TITLE', u'in'), ('TITLE', u"Jupiter's"), ('TITLE', u'atmosphere'), ('TITLE', u'and'), ('TITLE', u'implications'), ('TITLE', u'for'), ('TITLE', u'dynamics'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'outer'), ('TITLE', u'planets:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'57'), ('YEAR', u'1984'), ('PAGE', u'184-204')], [('AUTHOR_FIRST_NAME', u'I.J.D'), ('AUTHOR_LAST_NAME', u'Craig'), ('AUTHOR_FIRST_NAME', u'J.C.'), ('AUTHOR_LAST_NAME', u'Brown'), ('TITLE', u'Inverse'), ('TITLE', u'Problems'), ('TITLE', u'in'), ('TITLE', u'Astronomy:'), ('TITLE', u'A'), ('TITLE', u'Guide'), ('TITLE', u'to'), ('TITLE', u'Inversion'), ('TITLE', u'Strategies'), ('TITLE', u'for'), ('TITLE', u'Remotely'), ('TITLE', u'Sensed'), ('TITLE', u'Data:'), ('PUBLISHER', u'CRC'), ('PUBLISHER', u'Press'), ('YEAR', u'1986'), ('PAGE', u'160')], [('AUTHOR_FIRST_NAME', u'A.'), ('AUTHOR_LAST_NAME', u'Farkas'), ('TITLE', u'Orthohydrogen,'), ('TITLE', u'Parahydrogen'), ('TITLE', u'and'), ('TITLE', u'Heavy'), ('TITLE', u'Hydrogen:'), ('PUBLISHER', u'Cambridge'), ('PUBLISHER', u'University'), ('PUBLISHER', u'Press'), ('YEAR', u'1935'), ('PAGE', u'215')], [('AUTHOR_FIRST_NAME', u'L.'), ('AUTHOR_LAST_NAME', u'Fletcher'), ('TITLE', u'Seasonal'), ('TITLE', u'variability'), ('TITLE', u'of'), ('TITLE', u'Saturns'), ('TITLE', u'tropospheric'), ('TITLE', u'temperatures,'), ('TITLE', u'winds'), ('TITLE', u'and'), ('TITLE', u'para-'), ('TITLE', u'H2'), ('TITLE', u'from'), ('TITLE', u'Cassini'), ('TITLE', u'far-'), ('TITLE', u'IR'), ('TITLE', u'spectroscopy:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'264'), ('YEAR', u'2016'), ('PAGE', u'137-159')], [('AUTHOR_FIRST_NAME', u'L.'), ('AUTHOR_LAST_NAME', u'Fletcher'), ('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'de Pater'), ('AUTHOR_FIRST_NAME', u'W.T.'), ('AUTHOR_LAST_NAME', u'Reach'), ('TITLE', u"Jupiter's"), ('TITLE', u'para-'), ('TITLE', u'H2'), ('TITLE', u'distribution'), ('TITLE', u'from'), ('TITLE', u'SOFIA/FORCAST'), ('TITLE', u'and'), ('TITLE', u'Voyager/IRIS'), ('TITLE', u'17-'), ('TITLE', u'37m'), ('TITLE', u'spectroscopy:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'286'), ('YEAR', u'2017'), ('PAGE', u'223-240')], [('AUTHOR_FIRST_NAME', u'L.N.'), ('AUTHOR_LAST_NAME', u'Fletcher'), ('AUTHOR_FIRST_NAME', u'G.S.'), ('AUTHOR_LAST_NAME', u'Orton'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Yanamandra-Fisher'), ('AUTHOR_FIRST_NAME', u'B.M.'), ('AUTHOR_LAST_NAME', u'Fisher'), ('AUTHOR_FIRST_NAME', u'B.D.'), ('AUTHOR_LAST_NAME', u'Parrish'), ('AUTHOR_FIRST_NAME', u'P.G.J.'), ('AUTHOR_LAST_NAME', u'Irwin'), ('TITLE', u'Retrievals'), ('TITLE', u'of'), ('TITLE', u'atmospheric'), ('TITLE', u'variables'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'gas'), ('TITLE', u'giants'), ('TITLE', u'from'), ('TITLE', u'ground-'), ('TITLE', u'based'), ('TITLE', u'mid-'), ('TITLE', u'infrared'), ('TITLE', u'imaging:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'200'), ('YEAR', u'2009'), ('PAGE', u'154-175')], [('AUTHOR_FIRST_NAME', u'T.L.'), ('AUTHOR_LAST_NAME', u'Herter'), ('AUTHOR_FIRST_NAME', u'J.D.'), ('AUTHOR_LAST_NAME', u'Adams'), ('AUTHOR_FIRST_NAME', u'J.M.'), ('AUTHOR_LAST_NAME', u'DeBuizer'), ('AUTHOR_FIRST_NAME', u'G.E.'), ('AUTHOR_LAST_NAME', u'Gull'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Shoenwald'), ('AUTHOR_FIRST_NAME', u'C.P.'), ('AUTHOR_LAST_NAME', u'Henderson'), ('AUTHOR_FIRST_NAME', u'L.D.'), ('AUTHOR_LAST_NAME', u'Keller'), ('AUTHOR_FIRST_NAME', u'T.'), ('AUTHOR_LAST_NAME', u'Nikola'), ('AUTHOR_FIRST_NAME', u'G.J.'), ('AUTHOR_LAST_NAME', u'Stacey'), ('AUTHOR_FIRST_NAME', u'W.D.'), ('AUTHOR_LAST_NAME', u'Vacca'), ('TITLE', u'FORCAST:'), ('TITLE', u'a'), ('TITLE', u'first'), ('TITLE', u'light'), ('TITLE', u'facility'), ('TITLE', u'instrument'), ('TITLE', u'for'), ('TITLE', u'SOFIA:'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'SPIE'), ('VOLUME', u'7735'), ('YEAR', u'2010'), ('PAGE', u'eid7735 1U')], [('AUTHOR_FIRST_NAME', u'S.T.'), ('AUTHOR_LAST_NAME', u'Massie'), ('AUTHOR_FIRST_NAME', u'D.M.'), ('AUTHOR_LAST_NAME', u'Hunten'), ('TITLE', u'Conversion'), ('TITLE', u'of'), ('TITLE', u'para'), ('TITLE', u'and'), ('TITLE', u'ortho'), ('TITLE', u'hydrogen'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'Jovian'), ('TITLE', u'planets:'), ('JOURNAL', u'Icarus'), ('VOLUME', u'49'), ('YEAR', u'1982'), ('PAGE', u'213-226')]], [[('AUTHOR_LAST_NAME', u'Coleman'), ('JOURNAL', u'Progress'), ('JOURNAL', u'in'), ('JOURNAL', u'lipid'), ('JOURNAL', u'research'), ('VOLUME', u'43'), ('ISSUE', u'2'), ('YEAR', u'2004'), ('PAGE', u'134'), ('DOI', u'10.1016/S0163-7827(03)00051-1'), ('ISSN', u'0163-7827'), ('REFSTR', "{u'journal_title': u'Progress in lipid research', u'doi': u'10.1016/S0163-7827(03)00051-1', u'author': u'Coleman', u'issn': u'0163-7827', u'cyear': u'2004', u'volume': u'43', u'@key': u'1_17939177', u'first_page': u'134', u'issue': u'2'}")], [('JOURNAL', u'American'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Physiology'), ('JOURNAL', u'-'), ('JOURNAL', u'Endocrinology'), ('JOURNAL', u'And'), ('JOURNAL', u'Metabolism'), ('VOLUME', u'296'), ('ISSUE', u'6'), ('YEAR', u'2009'), ('PAGE', u'E1195'), ('DOI', u'10.1152/ajpendo.90958.2008'), ('ISSN', u'0193-1849'), ('REFSTR', "{u'doi': u'10.1152/ajpendo.90958.2008', u'journal_title': u'American Journal of Physiology - Endocrinology And Metabolism', u'issn': u'0193-1849', u'cyear': u'2009', u'volume': u'296', u'@key': u'2_34480394', u'first_page': u'E1195', u'issue': u'6'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'284'), ('ISSUE', u'5'), ('YEAR', u'2009'), ('PAGE', u'2593'), ('DOI', u'10.1074/jbc.R800059200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.R800059200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2009', u'volume': u'284', u'@key': u'3_32003327', u'first_page': u'2593', u'issue': u'5'}")], [('AUTHOR_LAST_NAME', u'Csaki'), ('JOURNAL', u'Annual'), ('JOURNAL', u'review'), ('JOURNAL', u'of'), ('JOURNAL', u'nutrition'), ('VOLUME', u'30'), ('YEAR', u'2010'), ('PAGE', u'257'), ('DOI', u'10.1146/annurev.nutr.012809.104729'), ('ISSN', u'0199-9885'), ('REFSTR', "{u'journal_title': u'Annual review of nutrition', u'doi': u'10.1146/annurev.nutr.012809.104729', u'author': u'Csaki', u'issn': u'0199-9885', u'cyear': u'2010', u'volume': u'30', u'@key': u'4_37679942', u'first_page': u'257'}")], [('AUTHOR_LAST_NAME', u'Harris'), ('JOURNAL', u'Trends'), ('JOURNAL', u'in'), ('JOURNAL', u'endocrinology'), ('JOURNAL', u'and'), ('JOURNAL', u'metabolism:'), ('JOURNAL', u'TEM'), ('VOLUME', u'22'), ('ISSUE', u'6'), ('YEAR', u'2011'), ('PAGE', u'226'), ('DOI', u'10.1016/j.tem.2011.02.006'), ('ISSN', u'1043-2760'), ('REFSTR', "{u'journal_title': u'Trends in endocrinology and metabolism: TEM', u'doi': u'10.1016/j.tem.2011.02.006', u'author': u'Harris', u'issn': u'1043-2760', u'cyear': u'2011', u'volume': u'22', u'@key': u'5_39678745', u'first_page': u'226', u'issue': u'6'}")], [('AUTHOR_LAST_NAME', u'Lusis'), ('JOURNAL', u'Nature'), ('JOURNAL', u'reviews.'), ('JOURNAL', u'Genetics'), ('VOLUME', u'9'), ('ISSUE', u'11'), ('YEAR', u'2008'), ('PAGE', u'819'), ('DOI', u'10.1038/nrg2468'), ('ISSN', u'1471-0056'), ('REFSTR', "{u'journal_title': u'Nature reviews. Genetics', u'doi': u'10.1038/nrg2468', u'author': u'Lusis', u'issn': u'1471-0056', u'cyear': u'2008', u'volume': u'9', u'@key': u'6_32208845', u'first_page': u'819', u'issue': u'11'}")], [('AUTHOR_LAST_NAME', u'terfy'), ('AUTHOR_FIRST_NAME', u'P'), ('JOURNAL', u'Nature'), ('JOURNAL', u'genetics'), ('VOLUME', u'27'), ('ISSUE', u'1'), ('YEAR', u'2001'), ('PAGE', u'121'), ('DOI', u'10.1038/83685'), ('ISSN', u'1061-4036'), ('REFSTR', "{u'journal_title': u'Nature genetics', u'doi': u'10.1038/83685', u'author': u'P terfy', u'issn': u'1061-4036', u'cyear': u'2001', u'volume': u'27', u'@key': u'7_11010410', u'first_page': u'121', u'issue': u'1'}")], [('AUTHOR_LAST_NAME', u'Reue'), ('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'41'), ('ISSUE', u'7'), ('YEAR', u'2000'), ('PAGE', u'1067'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'journal_title': u'The Journal of Lipid Research', u'author': u'Reue', u'issn': u'0022-2275', u'cyear': u'2000', u'volume': u'41', u'@key': u'8_10380403', u'first_page': u'1067', u'issue': u'7'}")], [('AUTHOR_LAST_NAME', u'Michot'), ('JOURNAL', u'Human'), ('JOURNAL', u'mutation'), ('VOLUME', u'31'), ('ISSUE', u'7'), ('YEAR', u'2010'), ('PAGE', u'E1564'), ('DOI', u'10.1002/humu.21282'), ('ISSN', u'1059-7794'), ('REFSTR', "{u'journal_title': u'Human mutation', u'doi': u'10.1002/humu.21282', u'author': u'Michot', u'issn': u'1059-7794', u'cyear': u'2010', u'volume': u'31', u'@key': u'9_37588216', u'first_page': u'E1564', u'issue': u'7'}")], [('AUTHOR_LAST_NAME', u'Zeharia'), ('JOURNAL', u'American'), ('JOURNAL', u'journal'), ('JOURNAL', u'of'), ('JOURNAL', u'human'), ('JOURNAL', u'genetics'), ('VOLUME', u'83'), ('ISSUE', u'4'), ('YEAR', u'2008'), ('PAGE', u'489'), ('DOI', u'10.1016/j.ajhg.2008.09.002'), ('ISSN', u'0002-9297'), ('REFSTR', "{u'journal_title': u'American journal of human genetics', u'doi': u'10.1016/j.ajhg.2008.09.002', u'author': u'Zeharia', u'issn': u'0002-9297', u'cyear': u'2008', u'volume': u'83', u'@key': u'10_32035496', u'first_page': u'489', u'issue': u'4'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'282'), ('ISSUE', u'6'), ('YEAR', u'2007'), ('PAGE', u'3450'), ('DOI', u'10.1074/jbc.M610745200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M610745200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2007', u'volume': u'282', u'@key': u'11_23087899', u'first_page': u'3450', u'issue': u'6'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'282'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'277'), ('DOI', u'10.1074/jbc.M609537200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M609537200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2007', u'volume': u'282', u'@key': u'12_22982038', u'first_page': u'277', u'issue': u'1'}")], [('AUTHOR_LAST_NAME', u'Nadra'), ('JOURNAL', u'Genes'), ('JOURNAL', u'Development'), ('VOLUME', u'22'), ('ISSUE', u'12'), ('YEAR', u'2008'), ('PAGE', u'1647'), ('DOI', u'10.1101/gad.1638008'), ('ISSN', u'0890-9369'), ('REFSTR', "{u'journal_title': u'Genes Development', u'doi': u'10.1101/gad.1638008', u'author': u'Nadra', u'issn': u'0890-9369', u'cyear': u'2008', u'volume': u'22', u'@key': u'13_31268117', u'first_page': u'1647', u'issue': u'12'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'287'), ('ISSUE', u'5'), ('YEAR', u'2012'), ('PAGE', u'3485'), ('DOI', u'10.1074/jbc.M111.296681'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M111.296681', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2012', u'volume': u'287', u'@key': u'14_41382195', u'first_page': u'3485', u'issue': u'5'}")], [('AUTHOR_LAST_NAME', u'Finck'), ('VOLUME', u'4'), ('ISSUE', u'3'), ('YEAR', u'2006'), ('PAGE', u'199'), ('DOI', u'10.1016/j.cmet.2006.08.005'), ('ISSN', u'1550-4131'), ('REFSTR', "{u'doi': u'10.1016/j.cmet.2006.08.005', u'author': u'Finck', u'issn': u'1550-4131', u'cyear': u'2006', u'volume': u'4', u'@key': u'15_22568095', u'first_page': u'199', u'issue': u'3'}")], [('JOURNAL', u'Molecular'), ('JOURNAL', u'and'), ('JOURNAL', u'Cellular'), ('JOURNAL', u'Biology'), ('VOLUME', u'30'), ('ISSUE', u'12'), ('YEAR', u'2010'), ('PAGE', u'3126'), ('DOI', u'10.1128/MCB.01671-09'), ('ISSN', u'0270-7306'), ('REFSTR', "{u'doi': u'10.1128/MCB.01671-09', u'journal_title': u'Molecular and Cellular Biology', u'issn': u'0270-7306', u'cyear': u'2010', u'volume': u'30', u'@key': u'16_37038059', u'first_page': u'3126', u'issue': u'12'}")], [('AUTHOR_LAST_NAME', u'Al-Mosawi'), ('JOURNAL', u'Arthritis'), ('JOURNAL', u'and'), ('JOURNAL', u'rheumatism'), ('VOLUME', u'56'), ('ISSUE', u'3'), ('YEAR', u'2007'), ('PAGE', u'960'), ('DOI', u'10.1002/art.22431'), ('ISSN', u'0004-3591'), ('REFSTR', "{u'journal_title': u'Arthritis and rheumatism', u'doi': u'10.1002/art.22431', u'author': u'Al-Mosawi', u'issn': u'0004-3591', u'cyear': u'2007', u'volume': u'56', u'@key': u'17_23716909', u'first_page': u'960', u'issue': u'3'}")], [('AUTHOR_LAST_NAME', u'Ferguson'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Medical'), ('JOURNAL', u'Genetics'), ('VOLUME', u'42'), ('ISSUE', u'7'), ('YEAR', u'2005'), ('PAGE', u'551'), ('DOI', u'10.1136/jmg.2005.030759'), ('ISSN', u'0022-2593'), ('REFSTR', "{u'journal_title': u'Journal of Medical Genetics', u'doi': u'10.1136/jmg.2005.030759', u'author': u'Ferguson', u'issn': u'0022-2593', u'cyear': u'2005', u'volume': u'42', u'@key': u'18_19074305', u'first_page': u'551', u'issue': u'7'}")], [('AUTHOR_LAST_NAME', u'Majeed'), ('JOURNAL', u'European'), ('JOURNAL', u'journal'), ('JOURNAL', u'of'), ('JOURNAL', u'pediatrics'), ('VOLUME', u'160'), ('ISSUE', u'12'), ('YEAR', u'2001'), ('PAGE', u'705'), ('ISSN', u'0340-6199'), ('REFSTR', "{u'journal_title': u'European journal of pediatrics', u'author': u'Majeed', u'issn': u'0340-6199', u'cyear': u'2001', u'volume': u'160', u'@key': u'19_11478957', u'first_page': u'705', u'issue': u'12'}")], [('AUTHOR_LAST_NAME', u'Majeed'), ('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'pediatrics'), ('VOLUME', u'115'), ('ISSUE', u'5 Pt 1'), ('YEAR', u'1989'), ('PAGE', u'730'), ('DOI', u'10.1016/S0022-3476(89)80650-X'), ('ISSN', u'0022-3476'), ('REFSTR', "{u'journal_title': u'The Journal of pediatrics', u'doi': u'10.1016/S0022-3476(89)80650-X', u'author': u'Majeed', u'issn': u'0022-3476', u'cyear': u'1989', u'volume': u'115', u'@key': u'21_5432040', u'first_page': u'730', u'issue': u'5 Pt 1'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'284'), ('ISSUE', u'43'), ('YEAR', u'2009'), ('PAGE', u'29968'), ('DOI', u'10.1074/jbc.M109.023663'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M109.023663', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2009', u'volume': u'284', u'@key': u'22_35496169', u'first_page': u'29968', u'issue': u'43'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'284'), ('ISSUE', u'11'), ('YEAR', u'2009'), ('PAGE', u'6763'), ('DOI', u'10.1074/jbc.M807882200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M807882200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2009', u'volume': u'284', u'@key': u'23_33354200', u'first_page': u'6763', u'issue': u'11'}")], [('JOURNAL', u'Diabetes'), ('VOLUME', u'60'), ('ISSUE', u'4'), ('YEAR', u'2011'), ('PAGE', u'1072'), ('DOI', u'10.2337/db10-1046'), ('ISSN', u'0012-1797'), ('REFSTR', "{u'doi': u'10.2337/db10-1046', u'journal_title': u'Diabetes', u'issn': u'0012-1797', u'cyear': u'2011', u'volume': u'60', u'@key': u'24_39324740', u'first_page': u'1072', u'issue': u'4'}")], [('JOURNAL', u'Progress'), ('JOURNAL', u'in'), ('JOURNAL', u'neurobiology'), ('VOLUME', u'63'), ('ISSUE', u'5'), ('YEAR', u'2001'), ('PAGE', u'489'), ('DOI', u'10.1016/S0301-0082(00)00024-1'), ('ISSN', u'0301-0082'), ('REFSTR', "{u'journal_title': u'Progress in neurobiology', u'doi': u'10.1016/S0301-0082(00)00024-1', u'author': u'Gr sser-Cornehls', u'issn': u'0301-0082', u'cyear': u'2001', u'volume': u'63', u'@key': u'25_11043813', u'first_page': u'489', u'issue': u'5'}")], [('AUTHOR_LAST_NAME', u'Morton'), ('JOURNAL', u'The'), ('JOURNAL', u'Neuroscientist'), ('VOLUME', u'10'), ('ISSUE', u'3'), ('YEAR', u'2004'), ('PAGE', u'247'), ('DOI', u'10.1177/1073858404263517'), ('ISSN', u'1073-8584'), ('REFSTR', "{u'journal_title': u'The Neuroscientist', u'doi': u'10.1177/1073858404263517', u'author': u'Morton', u'issn': u'1073-8584', u'cyear': u'2004', u'volume': u'10', u'@key': u'26_18192684', u'first_page': u'247', u'issue': u'3'}")], [('AUTHOR_LAST_NAME', u'Giusto'), ('JOURNAL', u'Neurochemical'), ('JOURNAL', u'research'), ('VOLUME', u'27'), ('ISSUE', u'11'), ('YEAR', u'2002'), ('PAGE', u'1513'), ('DOI', u'10.1023/A:1021604623208'), ('ISSN', u'0364-3190'), ('REFSTR', "{u'journal_title': u'Neurochemical research', u'doi': u'10.1023/A:1021604623208', u'author': u'Giusto', u'issn': u'0364-3190', u'cyear': u'2002', u'volume': u'27', u'@key': u'27_17392329', u'first_page': u'1513', u'issue': u'11'}")], [('AUTHOR_LAST_NAME', u'Pasquar'), ('JOURNAL', u'Experimental'), ('JOURNAL', u'gerontology'), ('VOLUME', u'36'), ('ISSUE', u'8'), ('YEAR', u'2001'), ('PAGE', u'1387'), ('DOI', u'10.1016/S0531-5565(01)00106-1'), ('ISSN', u'0531-5565'), ('REFSTR', "{u'journal_title': u'Experimental gerontology', u'doi': u'10.1016/S0531-5565(01)00106-1', u'author': u'Pasquar', u'issn': u'0531-5565', u'cyear': u'2001', u'volume': u'36', u'@key': u'28_11359831', u'first_page': u'1387', u'issue': u'8'}")], [('VOLUME', u'39'), ('YEAR', u'2004'), ('PAGE', u'553'), ('ISSN', u'1558-9307'), ('REFSTR', "{u'volume': u'39', u'@key': u'29_43576545', u'first_page': u'553', u'issn': u'1558-9307', u'cyear': u'2004'}")], [('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'53'), ('ISSUE', u'1'), ('YEAR', u'2012'), ('PAGE', u'105'), ('DOI', u'10.1194/jlr.M019430'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M019430', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2012', u'volume': u'53', u'@key': u'30_41159612', u'first_page': u'105', u'issue': u'1'}")], [('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'49'), ('ISSUE', u'12'), ('YEAR', u'2008'), ('PAGE', u'2493'), ('DOI', u'10.1194/jlr.R800019-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.R800019-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2008', u'volume': u'49', u'@key': u'31_31907829', u'first_page': u'2493', u'issue': u'12'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'283'), ('ISSUE', u'43'), ('YEAR', u'2008'), ('PAGE', u'29166'), ('DOI', u'10.1074/jbc.M804278200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M804278200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2008', u'volume': u'283', u'@key': u'32_31689109', u'first_page': u'29166', u'issue': u'43'}")], [('AUTHOR_LAST_NAME', u'Liu'), ('JOURNAL', u'The'), ('JOURNAL', u'Biochemical'), ('JOURNAL', u'journal'), ('VOLUME', u'432'), ('ISSUE', u'1'), ('YEAR', u'2010'), ('PAGE', u'65'), ('DOI', u'10.1042/BJ20100584'), ('ISSN', u'0264-6021'), ('REFSTR', "{u'journal_title': u'The Biochemical journal', u'doi': u'10.1042/BJ20100584', u'author': u'Liu', u'issn': u'0264-6021', u'cyear': u'2010', u'volume': u'432', u'@key': u'33_38002008', u'first_page': u'65', u'issue': u'1'}")], [('AUTHOR_LAST_NAME', u'Stapleton'), ('VOLUME', u'6'), ('ISSUE', u'4'), ('YEAR', u'2011'), ('PAGE', u'e18932'), ('DOI', u'10.1371/journal.pone.0018932'), ('ISSN', u'1932-6203'), ('REFSTR', "{u'doi': u'10.1371/journal.pone.0018932', u'author': u'Stapleton', u'issn': u'1932-6203', u'cyear': u'2011', u'volume': u'6', u'@key': u'34_39827515', u'first_page': u'e18932', u'issue': u'4'}")], [('JOURNAL', u'PNAS'), ('VOLUME', u'109'), ('ISSUE', u'5'), ('YEAR', u'2012'), ('PAGE', u'1667'), ('DOI', u'10.1073/pnas.1110730109'), ('ISSN', u'0027-8424'), ('REFSTR', "{u'doi': u'10.1073/pnas.1110730109', u'journal_title': u'PNAS', u'issn': u'0027-8424', u'cyear': u'2012', u'volume': u'109', u'@key': u'35_41527788', u'first_page': u'1667', u'issue': u'5'}")], [('AUTHOR_LAST_NAME', u'Pyne'), ('JOURNAL', u'Advances'), ('JOURNAL', u'in'), ('JOURNAL', u'enzyme'), ('JOURNAL', u'regulation'), ('VOLUME', u'49'), ('ISSUE', u'1'), ('YEAR', u'2009'), ('PAGE', u'214'), ('DOI', u'10.1016/j.advenzreg.2009.01.011'), ('ISSN', u'0065-2571'), ('REFSTR', "{u'journal_title': u'Advances in enzyme regulation', u'doi': u'10.1016/j.advenzreg.2009.01.011', u'author': u'Pyne', u'issn': u'0065-2571', u'cyear': u'2009', u'volume': u'49', u'@key': u'36_35090688', u'first_page': u'214', u'issue': u'1'}")], [('AUTHOR_LAST_NAME', u'Brindley'), ('JOURNAL', u'Biochimica'), ('JOURNAL', u'et'), ('JOURNAL', u'Biophysica'), ('JOURNAL', u'Acta.'), ('JOURNAL', u'Protein'), ('JOURNAL', u'Structure'), ('JOURNAL', u'and'), ('JOURNAL', u'Molecular'), ('JOURNAL', u'Enzymology'), ('VOLUME', u'1791'), ('ISSUE', u'9'), ('YEAR', u'2009'), ('PAGE', u'956'), ('DOI', u'10.1016/j.bbalip.2009.02.007'), ('ISSN', u'0006-3002'), ('REFSTR', "{u'journal_title': u'Biochimica et Biophysica Acta. Protein Structure and Molecular Enzymology', u'doi': u'10.1016/j.bbalip.2009.02.007', u'author': u'Brindley', u'issn': u'0006-3002', u'cyear': u'2009', u'volume': u'1791', u'@key': u'37_34190083', u'first_page': u'956', u'issue': u'9'}")], [('AUTHOR_LAST_NAME', u'Brusse'), ('JOURNAL', u'Clinical'), ('JOURNAL', u'genetics'), ('VOLUME', u'71'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'12'), ('ISSN', u'0009-9163'), ('REFSTR', "{u'journal_title': u'Clinical genetics', u'author': u'Brusse', u'issn': u'0009-9163', u'cyear': u'2007', u'volume': u'71', u'@key': u'38_23502795', u'first_page': u'12', u'issue': u'1'}")], [('AUTHOR_LAST_NAME', u'Friedel'), ('JOURNAL', u'Methods'), ('JOURNAL', u'in'), ('JOURNAL', u'enzymology'), ('VOLUME', u'477'), ('YEAR', u'2010'), ('PAGE', u'243'), ('DOI', u'10.1016/S0076-6879(10)77013-0'), ('ISSN', u'0076-6879'), ('REFSTR', "{u'journal_title': u'Methods in enzymology', u'doi': u'10.1016/S0076-6879(10)77013-0', u'author': u'Friedel', u'issn': u'0076-6879', u'cyear': u'2010', u'volume': u'477', u'@key': u'39_37904446', u'first_page': u'243'}")], [('JOURNAL', u'PNAS'), ('VOLUME', u'102'), ('ISSUE', u'37'), ('YEAR', u'2005'), ('PAGE', u'13188'), ('DOI', u'10.1073/pnas.0505474102'), ('ISSN', u'0027-8424'), ('REFSTR', "{u'doi': u'10.1073/pnas.0505474102', u'journal_title': u'PNAS', u'issn': u'0027-8424', u'cyear': u'2005', u'volume': u'102', u'@key': u'40_19690687', u'first_page': u'13188', u'issue': u'37'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'279'), ('ISSUE', u'28'), ('YEAR', u'2004'), ('PAGE', u'29558'), ('DOI', u'10.1074/jbc.M403506200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M403506200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2004', u'volume': u'279', u'@key': u'41_19568952', u'first_page': u'29558', u'issue': u'28'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Clinical'), ('JOURNAL', u'Endocrinology'), ('JOURNAL', u'Metabolism'), ('VOLUME', u'93'), ('ISSUE', u'1'), ('YEAR', u'2008'), ('PAGE', u'233'), ('DOI', u'10.1210/jc.2007-1535'), ('ISSN', u'0021-972X'), ('REFSTR', "{u'doi': u'10.1210/jc.2007-1535', u'journal_title': u'Journal of Clinical Endocrinology Metabolism', u'issn': u'0021-972X', u'cyear': u'2008', u'volume': u'93', u'@key': u'42_29585195', u'first_page': u'233', u'issue': u'1'}")], [('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'49'), ('ISSUE', u'7'), ('YEAR', u'2008'), ('PAGE', u'1519'), ('DOI', u'10.1194/jlr.M800061-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M800061-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2008', u'volume': u'49', u'@key': u'43_30697979', u'first_page': u'1519', u'issue': u'7'}")], [('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'50'), ('ISSUE', u'1'), ('YEAR', u'2009'), ('PAGE', u'47'), ('DOI', u'10.1194/jlr.M800204-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M800204-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2009', u'volume': u'50', u'@key': u'44_31842846', u'first_page': u'47', u'issue': u'1'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'286'), ('ISSUE', u'1'), ('YEAR', u'2011'), ('PAGE', u'380'), ('DOI', u'10.1074/jbc.M110.184754'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M110.184754', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2011', u'volume': u'286', u'@key': u'45_38471137', u'first_page': u'380', u'issue': u'1'}")], [('JOURNAL', u'Arteriosclerosis,'), ('JOURNAL', u'Thrombosis,'), ('JOURNAL', u'and'), ('JOURNAL', u'Vascular'), ('JOURNAL', u'Biology'), ('VOLUME', u'31'), ('ISSUE', u'1'), ('YEAR', u'2011'), ('PAGE', u'58'), ('DOI', u'10.1161/ATVBAHA.110.210906'), ('ISSN', u'0276-5047'), ('REFSTR', "{u'doi': u'10.1161/ATVBAHA.110.210906', u'journal_title': u'Arteriosclerosis, Thrombosis, and Vascular Biology', u'issn': u'0276-5047', u'cyear': u'2011', u'volume': u'31', u'@key': u'46_38308457', u'first_page': u'58', u'issue': u'1'}")], [('JOURNAL', u'The'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Lipid'), ('JOURNAL', u'Research'), ('VOLUME', u'47'), ('ISSUE', u'4'), ('YEAR', u'2006'), ('PAGE', u'745'), ('DOI', u'10.1194/jlr.M500553-JLR200'), ('ISSN', u'0022-2275'), ('REFSTR', "{u'doi': u'10.1194/jlr.M500553-JLR200', u'journal_title': u'The Journal of Lipid Research', u'issn': u'0022-2275', u'cyear': u'2006', u'volume': u'47', u'@key': u'47_21476290', u'first_page': u'745', u'issue': u'4'}")], [('AUTHOR_LAST_NAME', u'Hildebrand'), ('JOURNAL', u'Computer'), ('JOURNAL', u'methods'), ('JOURNAL', u'in'), ('JOURNAL', u'biomechanics'), ('JOURNAL', u'and'), ('JOURNAL', u'biomedical'), ('JOURNAL', u'engineering'), ('VOLUME', u'1'), ('ISSUE', u'1'), ('YEAR', u'1997'), ('PAGE', u'15'), ('ISSN', u'1025-5842'), ('REFSTR', "{u'journal_title': u'Computer methods in biomechanics and biomedical engineering', u'author': u'Hildebrand', u'issn': u'1025-5842', u'cyear': u'1997', u'volume': u'1', u'@key': u'48_19205922', u'first_page': u'15', u'issue': u'1'}")], [('AUTHOR_LAST_NAME', u'Rogers'), ('JOURNAL', u'Mammalian'), ('JOURNAL', u'genome'), ('JOURNAL', u':'), ('JOURNAL', u'official'), ('JOURNAL', u'journal'), ('JOURNAL', u'of'), ('JOURNAL', u'the'), ('JOURNAL', u'International'), ('JOURNAL', u'Mammalian'), ('JOURNAL', u'Genome'), ('JOURNAL', u'Society'), ('VOLUME', u'8'), ('ISSUE', u'10'), ('YEAR', u'1997'), ('PAGE', u'711'), ('DOI', u'10.1007/s003359900551'), ('ISSN', u'0938-8990'), ('REFSTR', "{u'journal_title': u'Mammalian genome : official journal of the International Mammalian Genome Society', u'doi': u'10.1007/s003359900551', u'author': u'Rogers', u'issn': u'0938-8990', u'cyear': u'1997', u'volume': u'8', u'@key': u'49_5758712', u'first_page': u'711', u'issue': u'10'}")], [('AUTHOR_LAST_NAME', u'Hockly'), ('JOURNAL', u'Annals'), ('JOURNAL', u'of'), ('JOURNAL', u'neurology'), ('VOLUME', u'51'), ('ISSUE', u'2'), ('YEAR', u'2002'), ('PAGE', u'235'), ('DOI', u'10.1002/ana.10094'), ('ISSN', u'0364-5134'), ('REFSTR', "{u'journal_title': u'Annals of neurology', u'doi': u'10.1002/ana.10094', u'author': u'Hockly', u'issn': u'0364-5134', u'cyear': u'2002', u'volume': u'51', u'@key': u'50_16905872', u'first_page': u'235', u'issue': u'2'}")], [('JOURNAL', u'CAN'), ('JOURNAL', u'J'), ('JOURNAL', u'BIOCHEM'), ('JOURNAL', u'PHYSIOL'), ('VOLUME', u'37'), ('YEAR', u'1959'), ('PAGE', u'911'), ('REFSTR', "{u'volume': u'37', u'@key': u'51_28010790', u'first_page': u'911', u'cyear': u'1959', u'journal_title': u'CAN J BIOCHEM PHYSIOL'}")], [('VOLUME', u'67'), ('YEAR', u'2006'), ('PAGE', u'1907'), ('ISSN', u'1873-3700'), ('REFSTR', "{u'volume': u'67', u'@key': u'52_35218979', u'first_page': u'1907', u'issn': u'1873-3700', u'cyear': u'2006'}")], [('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Biological'), ('JOURNAL', u'Chemistry'), ('VOLUME', u'277'), ('ISSUE', u'35'), ('YEAR', u'2002'), ('PAGE', u'31994'), ('DOI', u'10.1074/jbc.M205375200'), ('ISSN', u'0021-9258'), ('REFSTR', "{u'doi': u'10.1074/jbc.M205375200', u'journal_title': u'Journal of Biological Chemistry', u'issn': u'0021-9258', u'cyear': u'2002', u'volume': u'277', u'@key': u'53_19556404', u'first_page': u'31994', u'issue': u'35'}")], [('JOURNAL', u'American'), ('JOURNAL', u'Journal'), ('JOURNAL', u'of'), ('JOURNAL', u'Physiology'), ('JOURNAL', u'-'), ('JOURNAL', u'Endocrinology'), ('JOURNAL', u'And'), ('JOURNAL', u'Metabolism'), ('VOLUME', u'296'), ('ISSUE', u'6'), ('YEAR', u'2009'), ('PAGE', u'E1195'), ('ISSN', u'0193-1849'), ('REFSTR', "{u'journal_title': u'American Journal of Physiology - Endocrinology And Metabolism', u'issn': u'0193-1849', u'cyear': u'2009', u'volume': u'296', u'@key': u'54_34480394', u'first_page': u'E1195', u'issue': u'6'}")], [('JOURNAL', u'Annual'), ('JOURNAL', u'review'), ('JOURNAL', u'of'), ('JOURNAL', u'nutrition'), ('VOLUME', u'30'), ('YEAR', u'2010'), ('PAGE', u'257'), ('ISSN', u'0199-9885'), ('REFSTR', "{u'journal_title': u'Annual review of nutrition', u'issn': u'0199-9885', u'cyear': u'2010', u'volume': u'30', u'@key': u'55_37679942', u'first_page': u'257'}")], [('JOURNAL', u'Genes'), ('JOURNAL', u'Development'), ('VOLUME', u'22'), ('ISSUE', u'12'), ('YEAR', u'2008'), ('PAGE', u'1647'), ('ISSN', u'0890-9369'), ('REFSTR', "{u'journal_title': u'Genes Development', u'issn': u'0890-9369', u'cyear': u'2008', u'volume': u'22', u'@key': u'57_31268117', u'first_page': u'1647', u'issue': u'12'}")], [('JOURNAL', u'Clinical'), ('JOURNAL', u'genetics'), ('VOLUME', u'71'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'12'), ('ISSN', u'0009-9163'), ('REFSTR', "{u'journal_title': u'Clinical genetics', u'issn': u'0009-9163', u'cyear': u'2007', u'volume': u'71', u'@key': u'58_23502795', u'first_page': u'12', u'issue': u'1'}")]]]
train_2 = [[[('AUTHOR_FIRST_NAME', u'A.'), ('AUTHOR_LAST_NAME', u'Abedin'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Spurn'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Wiegert'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Pokorn'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Borovicka'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Brown'), ('JOURNAL', u'Icarus'), ('VOLUME', u'261'), ('YEAR', u'2015'), ('PAGE', u'100-117')], [('AUTHOR_FIRST_NAME', u'S.H.'), ('AUTHOR_LAST_NAME', u'Ahn'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'343'), ('YEAR', u'2003'), ('PAGE', u'1095-1100')], [('AUTHOR_FIRST_NAME', u'S.H.'), ('AUTHOR_LAST_NAME', u'Ahn'), ('JOURNAL', u'Earth'), ('JOURNAL', u'Moon'), ('JOURNAL', u'Planets'), ('VOLUME', u'95'), ('YEAR', u'2004'), ('PAGE', u'63-68')], [('AUTHOR_FIRST_NAME', u'S.H.'), ('AUTHOR_LAST_NAME', u'Ahn'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'358'), ('YEAR', u'2005'), ('PAGE', u'1105-1115')], [('AUTHOR_FIRST_NAME', u'T.R'), ('AUTHOR_LAST_NAME', u'Arter'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'286'), ('YEAR', u'1997'), ('PAGE', u'163-172')], [('AUTHOR_FIRST_NAME', u'T.R'), ('AUTHOR_LAST_NAME', u'Arter'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'288'), ('YEAR', u'1997'), ('PAGE', u'721-728')], [('AUTHOR_COLLABORATION', u'Beijing Observatory'), ('TITLE', u'General'), ('TITLE', u'Compilation'), ('TITLE', u'of'), ('TITLE', u'Chinese'), ('TITLE', u'ancient'), ('TITLE', u'Astronomical'), ('TITLE', u'Records:'), ('PUBLISHER', u'Beijing'), ('PUBLISHER', u'Observatory'), ('YEAR', u'1988')], [('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Brown'), ('AUTHOR_FIRST_NAME', u'D.K.'), ('AUTHOR_LAST_NAME', u'Wong'), ('AUTHOR_FIRST_NAME', u'R.J.'), ('AUTHOR_LAST_NAME', u'Weryk'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Wiegert'), ('JOURNAL', u'Icarus'), ('VOLUME', u'207'), ('ISSUE', u'1'), ('YEAR', u'2010'), ('PAGE', u'66-81')], [('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Chasles'), ('TITLE', u'Catalogue'), ('TITLE', u"d'aparitions"), ('TITLE', u'dtoiles'), ('TITLE', u'filantes'), ('TITLE', u'pendant'), ('TITLE', u'six'), ('TITLE', u'sicles;'), ('TITLE', u'de'), ('TITLE', u'538'), ('TITLE', u'a'), ('TITLE', u'1123:'), ('JOURNAL', u'Comptes'), ('JOURNAL', u'rendus'), ('JOURNAL', u'de'), ('JOURNAL', u"l'academie"), ('JOURNAL', u'des'), ('JOURNAL', u'Sci.'), ('VOLUME', u'12'), ('YEAR', u'1841'), ('PAGE', u'499-509')], [('AUTHOR_FIRST_NAME', u'D.'), ('AUTHOR_LAST_NAME', u'Cook'), ('JOURNAL', u'JHA'), ('VOLUME', u'xxx'), ('YEAR', u'1999'), ('PAGE', u'131-160')], [('AUTHOR_FIRST_NAME', u'U.'), ('AUTHOR_LAST_NAME', u"Dall'Olmo"), ('JOURNAL', u'JHA'), ('VOLUME', u'ix'), ('YEAR', u'1978'), ('PAGE', u'123-134')], [('AUTHOR_FIRST_NAME', u'U.'), ('AUTHOR_LAST_NAME', u"Dall'Olmo"), ('JOURNAL', u'JHA'), ('VOLUME', u'xi'), ('YEAR', u'1980'), ('PAGE', u'10-27')], [('AUTHOR_FIRST_NAME', u'W.J.'), ('AUTHOR_LAST_NAME', u'Fisher'), ('JOURNAL', u'Bull.'), ('JOURNAL', u'Harvard'), ('JOURNAL', u'Coll.'), ('JOURNAL', u'Obs'), ('VOLUME', u'894'), ('YEAR', u'1934'), ('PAGE', u'15')], [('AUTHOR_FIRST_NAME', u'K.'), ('AUTHOR_LAST_NAME', u'Fox'), ('TITLE', u'Asteroids,'), ('TITLE', u'Comets'), ('TITLE', u'and'), ('TITLE', u'Meteors:'), ('PAGE', u'521-525')], [('AUTHOR_FIRST_NAME', u'K.'), ('AUTHOR_LAST_NAME', u'Fox'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'D.W.'), ('AUTHOR_LAST_NAME', u'Hughes'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'199'), ('YEAR', u'1982'), ('PAGE', u'313-324')], [('AUTHOR_FIRST_NAME', u'K.'), ('AUTHOR_LAST_NAME', u'Fox'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'D.W'), ('AUTHOR_LAST_NAME', u'Hughes'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'217'), ('YEAR', u'1985'), ('PAGE', u'407-411')], [('AUTHOR_FIRST_NAME', u'Y.'), ('AUTHOR_LAST_NAME', u'Fujiwara'), ('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('PAGE', u'209-214')], [('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('JOURNAL', u'Publ.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Japan'), ('VOLUME', u'31'), ('YEAR', u'1979'), ('PAGE', u'257-270')], [('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('JOURNAL', u'Cel.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'54'), ('YEAR', u'1992'), ('PAGE', u'129-142')], [('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('TITLE', u'Meteors'), ('TITLE', u'and'), ('TITLE', u'Their'), ('TITLE', u'Parent'), ('TITLE', u'Bodies:'), ('PAGE', u'209-223')], [('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa.'), ('JOURNAL', u'Q.'), ('JOURNAL', u'J.R.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('VOLUME', u'37'), ('YEAR', u'1996'), ('PAGE', u'75-78')], [('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('TITLE', u'In'), ('TITLE', u'Meteoroids'), ('TITLE', u'1998:'), ('PUBLISHER', u'Astron.'), ('PUBLISHER', u'Inst.,'), ('PUBLISHER', u'Slovak'), ('PUBLISHER', u'Acad.'), ('PUBLISHER', u'Sci.'), ('YEAR', u'1999'), ('PAGE', u'177-184')], [('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('TITLE', u'Meteoroids'), ('TITLE', u'1998:'), ('PAGE', u'153-156')], [('AUTHOR_FIRST_NAME', u'H.P.'), ('AUTHOR_LAST_NAME', u'Yoke'), ('JOURNAL', u'Vistas'), ('JOURNAL', u'Astron.'), ('VOLUME', u'5'), ('YEAR', u'1962'), ('PAGE', u'127-225')], [('AUTHOR_FIRST_NAME', u'D.W.'), ('AUTHOR_LAST_NAME', u'Hughes'), ('AUTHOR_FIRST_NAME', u'B.'), ('AUTHOR_LAST_NAME', u'Emerson'), ('JOURNAL', u'Observatory'), ('VOLUME', u'102'), ('YEAR', u'1982'), ('PAGE', u'39-42')], [('AUTHOR_FIRST_NAME', u'S.'), ('AUTHOR_LAST_NAME', u'Imoto'), ('AUTHOR_FIRST_NAME', u'I.'), ('AUTHOR_LAST_NAME', u'Hasegawa'), ('JOURNAL', u'Smithsonian'), ('JOURNAL', u'Contrib.'), ('JOURNAL', u'Astrophys.'), ('VOLUME', u'2'), ('YEAR', u'1958'), ('PAGE', u'131-144')], [('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'A&A'), ('VOLUME', u'287'), ('YEAR', u'1994'), ('PAGE', u'990-1013')], [('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'A&A'), ('VOLUME', u'317'), ('YEAR', u'1997'), ('PAGE', u'953-961')], [('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('TITLE', u'Meteor'), ('TITLE', u'Showers'), ('TITLE', u'and'), ('TITLE', u'Their'), ('TITLE', u'Parent'), ('TITLE', u'Comets:'), ('PUBLISHER', u'Cambridge'), ('PUBLISHER', u'University'), ('PUBLISHER', u'Press'), ('YEAR', u'2006')], [('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'Icarus'), ('VOLUME', u'266'), ('YEAR', u'2016'), ('PAGE', u'331-354')], [('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('AUTHOR_FIRST_NAME', u'H.'), ('AUTHOR_LAST_NAME', u'Betlem'), ('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'de Lignie'), ('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Langbroek'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'van Vliet'), ('JOURNAL', u'A'), ('JOURNAL', u'A'), ('VOLUME', u'327'), ('YEAR', u'1997'), ('PAGE', u'1242-1252')], [('AUTHOR_FIRST_NAME', u'T.J.'), ('AUTHOR_LAST_NAME', u'Jopek'), ('AUTHOR_FIRST_NAME', u'Z.'), ('AUTHOR_LAST_NAME', u'Kauchov'), ('JOURNAL', u'Planetary'), ('JOURNAL', u'Space'), ('JOURNAL', u'Sci.'), ('VOLUME', u'143'), ('YEAR', u'2017'), ('PAGE', u'2-6')], [('AUTHOR_FIRST_NAME', u'T.J.'), ('AUTHOR_LAST_NAME', u'Jopek'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'430'), ('YEAR', u'2013'), ('PAGE', u'2377-2389')], [('AUTHOR_FIRST_NAME', u'M.R.'), ('AUTHOR_LAST_NAME', u'Kidger'), ('JOURNAL', u'Q.'), ('JOURNAL', u'J.R.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('VOLUME', u'34'), ('YEAR', u'1993'), ('PAGE', u'331-334')], [('AUTHOR_FIRST_NAME', u'G.W.'), ('AUTHOR_LAST_NAME', u'Kronk'), ('TITLE', u'Meteor'), ('TITLE', u'Showers.'), ('TITLE', u'An'), ('TITLE', u'annotated'), ('TITLE', u'Catalog:'), ('PUBLISHER', u'Springer'), ('YEAR', u'2014')], [('AUTHOR_FIRST_NAME', u'M.J.'), ('AUTHOR_LAST_NAME', u'Martnez'), ('AUTHOR_FIRST_NAME', u'F.J.'), ('AUTHOR_LAST_NAME', u'Marco'), ('JOURNAL', u'J.'), ('JOURNAL', u'History'), ('JOURNAL', u'Astron.'), ('VOLUME', u'48'), ('YEAR', u'2017'), ('PAGE', u'62-120')], [('AUTHOR_FIRST_NAME', u'H.A.'), ('AUTHOR_LAST_NAME', u'Newton'), ('TITLE', u'The'), ('TITLE', u'original'), ('TITLE', u'accounts'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'displays'), ('TITLE', u'in'), ('TITLE', u'former'), ('TITLE', u'times'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'November'), ('TITLE', u'star-'), ('TITLE', u'shower:'), ('JOURNAL', u'Am.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Sci'), ('JOURNAL', u'Arts.'), ('VOLUME', u'37'), ('YEAR', u'1864'), ('PAGE', u'377-389')], [('AUTHOR_FIRST_NAME', u'D.'), ('AUTHOR_LAST_NAME', u'Pankenier'), ('AUTHOR_FIRST_NAME', u'Zhentao'), ('AUTHOR_LAST_NAME', u'Xu'), ('AUTHOR_FIRST_NAME', u'Yaotiao'), ('AUTHOR_LAST_NAME', u'Jiang'), ('TITLE', u'Archaeoastronomy'), ('TITLE', u'in'), ('TITLE', u'East'), ('TITLE', u'Asia:'), ('TITLE', u'Historical'), ('TITLE', u'Observational'), ('TITLE', u'Records'), ('TITLE', u'of'), ('TITLE', u'Comets'), ('TITLE', u'and'), ('TITLE', u'Meteor'), ('TITLE', u'Showers'), ('TITLE', u'from'), ('TITLE', u'China:'), ('PUBLISHER', u'Cambria'), ('PUBLISHER', u'Press'), ('YEAR', u'2008')], [('AUTHOR_COLLABORATION', u'PMH'), ('JOURNAL', u'Portugale'), ('JOURNAL', u'Monumenta'), ('JOURNAL', u'Historica'), ('YEAR', u'1856')], [('AUTHOR_FIRST_NAME', u'A.'), ('AUTHOR_LAST_NAME', u'Quetelet'), ('TITLE', u'Catalogue'), ('TITLE', u'Nouveau'), ('TITLE', u'des'), ('TITLE', u'principals'), ('TITLE', u'aparitions'), ('TITLE', u'dtoiles'), ('TITLE', u'filantes:'), ('JOURNAL', u'Memoires'), ('JOURNAL', u'de'), ('JOURNAL', u"I'Academie"), ('JOURNAL', u'Royale'), ('JOURNAL', u'des'), ('JOURNAL', u'Sciences'), ('JOURNAL', u'et'), ('JOURNAL', u'Belles-'), ('JOURNAL', u'Lettres'), ('JOURNAL', u'de'), ('JOURNAL', u'Bruxelles'), ('VOLUME', u'15'), ('YEAR', u'1841'), ('PAGE', u'21-60')], [('AUTHOR_FIRST_NAME', u'W.S.'), ('AUTHOR_LAST_NAME', u'Rada'), ('AUTHOR_FIRST_NAME', u'F.R.'), ('AUTHOR_LAST_NAME', u'Stephenson'), ('JOURNAL', u'Q.'), ('JOURNAL', u'J.R.'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Soc.'), ('VOLUME', u'33'), ('YEAR', u'1992'), ('PAGE', u'5-16')], [('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Toth'), ('TITLE', u'Meteoroids'), ('TITLE', u'1998:'), ('PAGE', u'223-226')], [('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Wiegert'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Brown'), ('JOURNAL', u'Earth'), ('JOURNAL', u'Moon'), ('JOURNAL', u'Planets'), ('VOLUME', u'95'), ('YEAR', u'2004'), ('PAGE', u'81-88')], [('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Geophys.'), ('VOLUME', u'52'), ('ISSUE', u'2'), ('YEAR', u'2011'), ('PAGE', u'20-26')], [('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'S.'), ('AUTHOR_LAST_NAME', u'Collander-Brown'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'294'), ('YEAR', u'1998'), ('PAGE', u'127-138')], [('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'G.O.'), ('AUTHOR_LAST_NAME', u'Ryabovs'), ('AUTHOR_FIRST_NAME', u'A.P.'), ('AUTHOR_LAST_NAME', u'Baturin'), ('AUTHOR_FIRST_NAME', u'A.M.'), ('AUTHOR_LAST_NAME', u'Chernitsov'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'355'), ('YEAR', u'2004'), ('PAGE', u'1171-1181')], [('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'Z.'), ('AUTHOR_LAST_NAME', u'Wu'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'264'), ('YEAR', u'1993'), ('PAGE', u'659-664')], [('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'C.D.'), ('AUTHOR_LAST_NAME', u'Murray'), ('AUTHOR_FIRST_NAME', u'D.W.'), ('AUTHOR_LAST_NAME', u'Hughes'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'189'), ('YEAR', u'1979'), ('PAGE', u'483-492')], [('AUTHOR_FIRST_NAME', u'Z.'), ('AUTHOR_LAST_NAME', u'Wu'), ('AUTHOR_FIRST_NAME', u'I.P.'), ('AUTHOR_LAST_NAME', u'Williams'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'280'), ('YEAR', u'1996'), ('PAGE', u'1210-1218')], [('AUTHOR_FIRST_NAME', u'H.J.'), ('AUTHOR_LAST_NAME', u'Yang'), ('AUTHOR_FIRST_NAME', u'Ch.'), ('AUTHOR_LAST_NAME', u'Park'), ('AUTHOR_FIRST_NAME', u'M.'), ('AUTHOR_LAST_NAME', u'Park'), ('JOURNAL', u'Icarus'), ('VOLUME', u'175'), ('YEAR', u'2005'), ('PAGE', u'215-225')], [('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Yau'), ('AUTHOR_FIRST_NAME', u'D.'), ('AUTHOR_LAST_NAME', u'Yeomans'), ('AUTHOR_FIRST_NAME', u'P.'), ('AUTHOR_LAST_NAME', u'Weismann'), ('JOURNAL', u'MNRAS'), ('VOLUME', u'266'), ('YEAR', u'1994'), ('PAGE', u'305-316')], [('AUTHOR_FIRST_NAME', u'D.K.'), ('AUTHOR_LAST_NAME', u'Yeomans'), ('AUTHOR_FIRST_NAME', u'K.K.'), ('AUTHOR_LAST_NAME', u'Yau'), ('AUTHOR_FIRST_NAME', u'P.R.'), ('AUTHOR_LAST_NAME', u'Weismann'), ('JOURNAL', u'Icarus'), ('VOLUME', u'124'), ('YEAR', u'1996'), ('PAGE', u'407-413')], [('AUTHOR_FIRST_NAME', u'L.'), ('AUTHOR_LAST_NAME', u'Yrjla'), ('AUTHOR_FIRST_NAME', u'J.'), ('AUTHOR_LAST_NAME', u'Jenniskens'), ('JOURNAL', u'A'), ('JOURNAL', u'A'), ('VOLUME', u'330'), ('YEAR', u'1998'), ('PAGE', u'739-752')]], [[('AUTHOR_LAST_NAME', u'Prusiner'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_MIDDLE_NAME', u'B'), ('TITLE', u'Prions'), ('JOURNAL', u'Proc'), ('JOURNAL', u'Natl'), ('JOURNAL', u'Acad'), ('JOURNAL', u'Sci'), ('JOURNAL', u'U'), ('JOURNAL', u'S'), ('JOURNAL', u'A'), ('VOLUME', u'95'), ('YEAR', u'1998'), ('PAGE', u'13363'), ('DOI', u'10.1073/pnas.95.23.13363'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Aguzzi'), ('AUTHOR_FIRST_NAME', u'A'), ('TITLE', u'Molecular'), ('TITLE', u'mechanisms'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'pathogenesis'), ('JOURNAL', u'Annu'), ('JOURNAL', u'Rev'), ('JOURNAL', u'Pathol'), ('VOLUME', u'3'), ('YEAR', u'2008'), ('PAGE', u'11'), ('DOI', u'10.1146/annurev.pathmechdis.3.121806.154326'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Soto'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Prion'), ('TITLE', u'hypothesis:'), ('TITLE', u'the'), ('TITLE', u'end'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'controversy?'), ('JOURNAL', u'Trends'), ('JOURNAL', u'Biochem'), ('JOURNAL', u'Sci'), ('VOLUME', u'36'), ('YEAR', u'2011'), ('PAGE', u'151'), ('DOI', u'10.1016/j.tibs.2010.11.001'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Ma'), ('AUTHOR_FIRST_NAME', u'J'), ('TITLE', u'The'), ('TITLE', u'role'), ('TITLE', u'of'), ('TITLE', u'cofactors'), ('TITLE', u'in'), ('TITLE', u'prion'), ('TITLE', u'propagation'), ('TITLE', u'and'), ('TITLE', u'infectivity'), ('JOURNAL', u'PLoS'), ('JOURNAL', u'Pathog'), ('VOLUME', u'8'), ('YEAR', u'2012'), ('PAGE', u'e1002589'), ('DOI', u'10.1371/journal.ppat.1002589'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Aguzzi'), ('AUTHOR_FIRST_NAME', u'A'), ('TITLE', u'The'), ('TITLE', u'prions'), ('TITLE', u'elusive'), ('TITLE', u'reason'), ('TITLE', u'for'), ('TITLE', u'being'), ('JOURNAL', u'Annu'), ('JOURNAL', u'Rev'), ('JOURNAL', u'Neurosci'), ('VOLUME', u'31'), ('YEAR', u'2008'), ('PAGE', u'439'), ('DOI', u'10.1146/annurev.neuro.31.060407.125620'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Roucou'), ('AUTHOR_FIRST_NAME', u'X'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'neuroprotective'), ('TITLE', u'function:'), ('TITLE', u'implications'), ('TITLE', u'in'), ('TITLE', u'prion'), ('TITLE', u'diseases'), ('JOURNAL', u'J'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Med'), ('JOURNAL', u'(Berl)'), ('VOLUME', u'83'), ('YEAR', u'2005'), ('PAGE', u'3'), ('DOI', u'10.1007/s00109-004-0605-5'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Singh'), ('AUTHOR_FIRST_NAME', u'N'), ('TITLE', u'Redox'), ('TITLE', u'control'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'and'), ('TITLE', u'disease'), ('TITLE', u'pathogenesis'), ('JOURNAL', u'Antioxid'), ('JOURNAL', u'Redox'), ('JOURNAL', u'Signal'), ('VOLUME', u'12'), ('YEAR', u'2010'), ('PAGE', u'1271'), ('DOI', u'10.1089/ars.2009.2628'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Pan'), ('AUTHOR_FIRST_NAME', u'Y'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'promotes'), ('TITLE', u'invasion'), ('TITLE', u'and'), ('TITLE', u'metastasis'), ('TITLE', u'of'), ('TITLE', u'gastric'), ('TITLE', u'cancer'), ('JOURNAL', u'FASEB'), ('JOURNAL', u'J'), ('VOLUME', u'20'), ('YEAR', u'2006'), ('PAGE', u'1886'), ('DOI', u'10.1096/fj.06-6138fje'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Liang'), ('AUTHOR_FIRST_NAME', u'J'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'promotes'), ('TITLE', u'proliferation'), ('TITLE', u'and'), ('TITLE', u'G1/S'), ('TITLE', u'transition'), ('TITLE', u'of'), ('TITLE', u'human'), ('TITLE', u'gastric'), ('TITLE', u'cancer'), ('TITLE', u'cells'), ('TITLE', u'SGC7901'), ('TITLE', u'and'), ('TITLE', u'AGS'), ('JOURNAL', u'FASEB'), ('JOURNAL', u'J'), ('VOLUME', u'21'), ('YEAR', u'2007'), ('PAGE', u'2247'), ('DOI', u'10.1096/fj.06-7799com'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Sollazzo'), ('AUTHOR_FIRST_NAME', u'V'), ('TITLE', u'Prion'), ('TITLE', u'proteins'), ('TITLE', u'(PRNP'), ('TITLE', u'and'), ('TITLE', u'PRND)'), ('TITLE', u'are'), ('TITLE', u'over-'), ('TITLE', u'expressed'), ('TITLE', u'in'), ('TITLE', u'osteosarcoma'), ('JOURNAL', u'J'), ('JOURNAL', u'Orthop'), ('JOURNAL', u'Res'), ('VOLUME', u'30'), ('YEAR', u'2012'), ('PAGE', u'1004'), ('DOI', u'10.1002/jor.22034'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Meslin'), ('AUTHOR_FIRST_NAME', u'F'), ('TITLE', u'Efficacy'), ('TITLE', u'of'), ('TITLE', u'adjuvant'), ('TITLE', u'chemotherapy'), ('TITLE', u'according'), ('TITLE', u'to'), ('TITLE', u'Prion'), ('TITLE', u'protein'), ('TITLE', u'expression'), ('TITLE', u'in'), ('TITLE', u'patients'), ('TITLE', u'with'), ('TITLE', u'estrogen'), ('TITLE', u'receptor-'), ('TITLE', u'negative'), ('TITLE', u'breast'), ('TITLE', u'cancer'), ('JOURNAL', u'Ann'), ('JOURNAL', u'Oncol'), ('VOLUME', u'18'), ('YEAR', u'2007'), ('PAGE', u'1793'), ('DOI', u'10.1093/annonc/mdm406'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Pro-'), ('TITLE', u'prion'), ('TITLE', u'binds'), ('TITLE', u'filamin'), ('TITLE', u'A,'), ('TITLE', u'facilitating'), ('TITLE', u'its'), ('TITLE', u'interaction'), ('TITLE', u'with'), ('TITLE', u'integrin'), ('TITLE', u'beta1,'), ('TITLE', u'and'), ('TITLE', u'contributes'), ('TITLE', u'to'), ('TITLE', u'melanomagenesis'), ('JOURNAL', u'J'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Chem'), ('VOLUME', u'285'), ('YEAR', u'2010'), ('PAGE', u'30328'), ('DOI', u'10.1074/jbc.M110.147413'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Binding'), ('TITLE', u'of'), ('TITLE', u'pro-'), ('TITLE', u'prion'), ('TITLE', u'to'), ('TITLE', u'filamin'), ('TITLE', u'A'), ('TITLE', u'disrupts'), ('TITLE', u'cytoskeleton'), ('TITLE', u'and'), ('TITLE', u'correlates'), ('TITLE', u'with'), ('TITLE', u'poor'), ('TITLE', u'prognosis'), ('TITLE', u'in'), ('TITLE', u'pancreatic'), ('TITLE', u'cancer'), ('JOURNAL', u'J'), ('JOURNAL', u'Clin'), ('JOURNAL', u'Invest'), ('VOLUME', u'119'), ('YEAR', u'2009'), ('PAGE', u'2725'), ('DOI', u'10.1172/JCI39542'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Mehrpour'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'Prion'), ('TITLE', u'protein:'), ('TITLE', u'From'), ('TITLE', u'physiology'), ('TITLE', u'to'), ('TITLE', u'cancer'), ('TITLE', u'biology'), ('JOURNAL', u'Cancer'), ('JOURNAL', u'Lett'), ('VOLUME', u'290'), ('YEAR', u'2010'), ('PAGE', u'1'), ('DOI', u'10.1016/j.canlet.2009.07.009'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'Q'), ('AUTHOR_MIDDLE_NAME', u'Q'), ('TITLE', u'The'), ('TITLE', u'role'), ('TITLE', u'of'), ('TITLE', u'P-'), ('TITLE', u'glycoprotein/cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'interaction'), ('TITLE', u'in'), ('TITLE', u'multidrug-'), ('TITLE', u'resistant'), ('TITLE', u'breast'), ('TITLE', u'cancer'), ('TITLE', u'cells'), ('TITLE', u'treated'), ('TITLE', u'with'), ('TITLE', u'paclitaxel'), ('JOURNAL', u'Cell'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Life'), ('JOURNAL', u'Sci'), ('VOLUME', u'66'), ('YEAR', u'2009'), ('PAGE', u'504'), ('DOI', u'10.1007/s00018-008-8548-6'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Diarra-Mehrpour'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'Prion'), ('TITLE', u'protein'), ('TITLE', u'prevents'), ('TITLE', u'human'), ('TITLE', u'breast'), ('TITLE', u'carcinoma'), ('TITLE', u'cell'), ('TITLE', u'line'), ('TITLE', u'from'), ('TITLE', u'tumor'), ('TITLE', u'necrosis'), ('TITLE', u'factor'), ('TITLE', u'alpha-'), ('TITLE', u'induced'), ('TITLE', u'cell'), ('TITLE', u'death'), ('JOURNAL', u'Cancer'), ('JOURNAL', u'Res'), ('VOLUME', u'64'), ('YEAR', u'2004'), ('PAGE', u'719'), ('DOI', u'10.1158/0008-5472.CAN-03-1735'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Meslin'), ('AUTHOR_FIRST_NAME', u'F'), ('TITLE', u'Silencing'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'sensitizes'), ('TITLE', u'breast'), ('TITLE', u'adriamycin-'), ('TITLE', u'resistant'), ('TITLE', u'carcinoma'), ('TITLE', u'cells'), ('TITLE', u'to'), ('TITLE', u'TRAIL-'), ('TITLE', u'mediated'), ('TITLE', u'cell'), ('TITLE', u'death'), ('JOURNAL', u'Cancer'), ('JOURNAL', u'Res'), ('VOLUME', u'67'), ('YEAR', u'2007'), ('PAGE', u'10910'), ('DOI', u'10.1158/0008-5472.CAN-07-0512'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Roucou'), ('AUTHOR_FIRST_NAME', u'X'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'inhibits'), ('TITLE', u'proapoptotic'), ('TITLE', u'Bax'), ('TITLE', u'conformational'), ('TITLE', u'change'), ('TITLE', u'in'), ('TITLE', u'human'), ('TITLE', u'neurons'), ('TITLE', u'and'), ('TITLE', u'in'), ('TITLE', u'breast'), ('TITLE', u'carcinoma'), ('TITLE', u'MCF-'), ('TITLE', u'7'), ('TITLE', u'cells'), ('JOURNAL', u'Cell'), ('JOURNAL', u'Death'), ('JOURNAL', u'Differ'), ('VOLUME', u'12'), ('YEAR', u'2005'), ('PAGE', u'783'), ('DOI', u'10.1038/sj.cdd.4401629'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'N'), ('TITLE', u'Quinoprotein'), ('TITLE', u'adducts'), ('TITLE', u'accumulate'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'substantia'), ('TITLE', u'nigra'), ('TITLE', u'of'), ('TITLE', u'aged'), ('TITLE', u'rats'), ('TITLE', u'and'), ('TITLE', u'correlate'), ('TITLE', u'with'), ('TITLE', u'dopamine-'), ('TITLE', u'induced'), ('TITLE', u'toxicity'), ('TITLE', u'in'), ('TITLE', u'SH-'), ('TITLE', u'SY5Y'), ('TITLE', u'cells'), ('JOURNAL', u'Neurochem'), ('JOURNAL', u'Res'), ('VOLUME', u'36'), ('YEAR', u'2011'), ('PAGE', u'2169'), ('DOI', u'10.1007/s11064-011-0541-z'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Kuwahara'), ('AUTHOR_FIRST_NAME', u'C'), ('TITLE', u'Prions'), ('TITLE', u'prevent'), ('TITLE', u'neuronal'), ('TITLE', u'cell-'), ('TITLE', u'line'), ('TITLE', u'death'), ('JOURNAL', u'Nature'), ('VOLUME', u'400'), ('YEAR', u'1999'), ('PAGE', u'225'), ('DOI', u'10.1038/22241'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Kim'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_MIDDLE_NAME', u'H'), ('TITLE', u'The'), ('TITLE', u'cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'(PrPC)'), ('TITLE', u'prevents'), ('TITLE', u'apoptotic'), ('TITLE', u'neuronal'), ('TITLE', u'cell'), ('TITLE', u'death'), ('TITLE', u'and'), ('TITLE', u'mitochondrial'), ('TITLE', u'dysfunction'), ('TITLE', u'induced'), ('TITLE', u'by'), ('TITLE', u'serum'), ('TITLE', u'deprivation'), ('JOURNAL', u'Brain'), ('JOURNAL', u'Res'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Brain'), ('JOURNAL', u'Res'), ('VOLUME', u'124'), ('YEAR', u'2004'), ('PAGE', u'40'), ('DOI', u'10.1016/j.molbrainres.2004.02.005'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Shyu'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_MIDDLE_NAME', u'C'), ('TITLE', u'Molecular'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'expression'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'by'), ('TITLE', u'heat'), ('TITLE', u'shock'), ('JOURNAL', u'Mol'), ('JOURNAL', u'Neurobiol'), ('VOLUME', u'26'), ('YEAR', u'2002'), ('PAGE', u'1'), ('DOI', u'10.1385/MN:26:1:001'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Williams'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_MIDDLE_NAME', u'M'), ('TITLE', u'Ageing'), ('TITLE', u'and'), ('TITLE', u'exposure'), ('TITLE', u'to'), ('TITLE', u'oxidative'), ('TITLE', u'stress'), ('TITLE', u'in'), ('TITLE', u'vivo'), ('TITLE', u'differentially'), ('TITLE', u'affect'), ('TITLE', u'cellular'), ('TITLE', u'levels'), ('TITLE', u'of'), ('TITLE', u'PrP'), ('TITLE', u'in'), ('TITLE', u'mouse'), ('TITLE', u'cerebral'), ('TITLE', u'microvessels'), ('TITLE', u'and'), ('TITLE', u'brain'), ('TITLE', u'parenchyma'), ('JOURNAL', u'Neuropathol'), ('JOURNAL', u'Appl'), ('JOURNAL', u'Neurobiol'), ('VOLUME', u'30'), ('YEAR', u'2004'), ('PAGE', u'161'), ('DOI', u'10.1111/j.1365-2990.2003.00523.x'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Shyu'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_MIDDLE_NAME', u'C'), ('TITLE', u'Hypoglycemia'), ('TITLE', u'enhances'), ('TITLE', u'the'), ('TITLE', u'expression'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'and'), ('TITLE', u'heat-'), ('TITLE', u'shock'), ('TITLE', u'protein'), ('TITLE', u'70'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'mouse'), ('TITLE', u'neuroblastoma'), ('TITLE', u'cell'), ('TITLE', u'line'), ('JOURNAL', u'J'), ('JOURNAL', u'Neurosci'), ('JOURNAL', u'Res'), ('VOLUME', u'80'), ('YEAR', u'2005'), ('PAGE', u'887'), ('DOI', u'10.1002/jnr.20509'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Podar'), ('AUTHOR_FIRST_NAME', u'K'), ('TITLE', u'A'), ('TITLE', u'pivotal'), ('TITLE', u'role'), ('TITLE', u'for'), ('TITLE', u'Mcl-'), ('TITLE', u'1'), ('TITLE', u'in'), ('TITLE', u'Bortezomib-'), ('TITLE', u'induced'), ('TITLE', u'apoptosis'), ('JOURNAL', u'Oncogene'), ('VOLUME', u'27'), ('YEAR', u'2008'), ('PAGE', u'721'), ('DOI', u'10.1038/sj.onc.1210679'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Tampio'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'Induction'), ('TITLE', u'of'), ('TITLE', u'PUMA-'), ('TITLE', u'alpha'), ('TITLE', u'and'), ('TITLE', u'down-'), ('TITLE', u'regulation'), ('TITLE', u'of'), ('TITLE', u'PUMA-'), ('TITLE', u'beta'), ('TITLE', u'expression'), ('TITLE', u'is'), ('TITLE', u'associated'), ('TITLE', u'with'), ('TITLE', u'benzo(a)pyrene-'), ('TITLE', u'induced'), ('TITLE', u'apoptosis'), ('TITLE', u'in'), ('TITLE', u'MCF-'), ('TITLE', u'7'), ('TITLE', u'cells'), ('JOURNAL', u'Toxicol'), ('JOURNAL', u'Lett'), ('VOLUME', u'188'), ('YEAR', u'2009'), ('PAGE', u'214'), ('DOI', u'10.1016/j.toxlet.2009.04.016'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Sanz'), ('AUTHOR_FIRST_NAME', u'E'), ('TITLE', u'Anti-'), ('TITLE', u'apoptotic'), ('TITLE', u'effect'), ('TITLE', u'of'), ('TITLE', u'Mao-'), ('TITLE', u'B'), ('TITLE', u'inhibitor'), ('TITLE', u'PF9601N'), ('TITLE', u'[N-'), ('TITLE', u'(2-'), ('TITLE', u'propynyl)-'), ('TITLE', u'2-'), ('TITLE', u'(5-'), ('TITLE', u'benzyloxy-'), ('TITLE', u'indolyl)'), ('TITLE', u'methylamine]'), ('TITLE', u'is'), ('TITLE', u'mediated'), ('TITLE', u'by'), ('TITLE', u'p53'), ('TITLE', u'pathway'), ('TITLE', u'inhibition'), ('TITLE', u'in'), ('TITLE', u'MPP+'), ('TITLE', u'-'), ('TITLE', u'treated'), ('TITLE', u'SH-'), ('TITLE', u'SY5Y'), ('TITLE', u'human'), ('TITLE', u'dopaminergic'), ('TITLE', u'cells'), ('JOURNAL', u'J'), ('JOURNAL', u'Neurochem'), ('VOLUME', u'105'), ('YEAR', u'2008'), ('PAGE', u'2404'), ('DOI', u'10.1111/j.1471-4159.2008.05326.x'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Liu'), ('AUTHOR_FIRST_NAME', u'J'), ('TITLE', u'ERKs/p53'), ('TITLE', u'signal'), ('TITLE', u'transduction'), ('TITLE', u'pathway'), ('TITLE', u'is'), ('TITLE', u'involved'), ('TITLE', u'in'), ('TITLE', u'doxorubicin-'), ('TITLE', u'induced'), ('TITLE', u'apoptosis'), ('TITLE', u'in'), ('TITLE', u'H9c2'), ('TITLE', u'cells'), ('TITLE', u'and'), ('TITLE', u'cardiomyocytes'), ('JOURNAL', u'Am'), ('JOURNAL', u'J'), ('JOURNAL', u'Physiol'), ('JOURNAL', u'Heart'), ('JOURNAL', u'Circ'), ('JOURNAL', u'Physiol'), ('VOLUME', u'295'), ('YEAR', u'2008'), ('PAGE', u'H1956'), ('DOI', u'10.1152/ajpheart.00407.2008'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Paitel'), ('AUTHOR_FIRST_NAME', u'E'), ('TITLE', u'Cellular'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'sensitizes'), ('TITLE', u'neurons'), ('TITLE', u'to'), ('TITLE', u'apoptotic'), ('TITLE', u'stimuli'), ('TITLE', u'through'), ('TITLE', u'Mdm2-'), ('TITLE', u'regulated'), ('TITLE', u'and'), ('TITLE', u'p53-'), ('TITLE', u'dependent'), ('TITLE', u'caspase'), ('TITLE', u'3-'), ('TITLE', u'like'), ('TITLE', u'activation'), ('JOURNAL', u'J'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Chem'), ('VOLUME', u'278'), ('YEAR', u'2003'), ('PAGE', u'10061'), ('DOI', u'10.1074/jbc.M211580200'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Paitel'), ('AUTHOR_FIRST_NAME', u'E'), ('TITLE', u'Primary'), ('TITLE', u'cultured'), ('TITLE', u'neurons'), ('TITLE', u'devoid'), ('TITLE', u'of'), ('TITLE', u'cellular'), ('TITLE', u'prion'), ('TITLE', u'display'), ('TITLE', u'lower'), ('TITLE', u'responsiveness'), ('TITLE', u'to'), ('TITLE', u'staurosporine'), ('TITLE', u'through'), ('TITLE', u'the'), ('TITLE', u'control'), ('TITLE', u'of'), ('TITLE', u'p53'), ('TITLE', u'at'), ('TITLE', u'both'), ('TITLE', u'transcriptional'), ('TITLE', u'and'), ('TITLE', u'post-'), ('TITLE', u'transcriptional'), ('TITLE', u'levels'), ('JOURNAL', u'J'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Chem'), ('VOLUME', u'279'), ('YEAR', u'2004'), ('PAGE', u'612'), ('DOI', u'10.1074/jbc.M310453200'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Lacroix'), ('AUTHOR_FIRST_NAME', u'M'), ('TITLE', u'p53'), ('TITLE', u'and'), ('TITLE', u'breast'), ('TITLE', u'cancer,'), ('TITLE', u'an'), ('TITLE', u'update'), ('JOURNAL', u'Endocr'), ('JOURNAL', u'Relat'), ('JOURNAL', u'Cancer'), ('VOLUME', u'13'), ('YEAR', u'2006'), ('PAGE', u'293'), ('DOI', u'10.1677/erc.1.01172'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Cagnol'), ('AUTHOR_FIRST_NAME', u'S'), ('TITLE', u'ERK'), ('TITLE', u'and'), ('TITLE', u'cell'), ('TITLE', u'death:'), ('TITLE', u'mechanisms'), ('TITLE', u'of'), ('TITLE', u'ERK-'), ('TITLE', u'induced'), ('TITLE', u'cell'), ('TITLE', u'death-'), ('TITLE', u'apoptosis,'), ('TITLE', u'autophagy'), ('TITLE', u'and'), ('TITLE', u'senescence'), ('JOURNAL', u'FEBS'), ('JOURNAL', u'J'), ('VOLUME', u'277'), ('YEAR', u'2010'), ('PAGE', u'2'), ('DOI', u'10.1111/j.1742-4658.2009.07366.x'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Balmanno'), ('AUTHOR_FIRST_NAME', u'K'), ('TITLE', u'Tumour'), ('TITLE', u'cell'), ('TITLE', u'survival'), ('TITLE', u'signalling'), ('TITLE', u'by'), ('TITLE', u'the'), ('TITLE', u'ERK1/2'), ('TITLE', u'pathway'), ('JOURNAL', u'Cell'), ('JOURNAL', u'Death'), ('JOURNAL', u'Differ'), ('VOLUME', u'16'), ('YEAR', u'2009'), ('PAGE', u'368'), ('DOI', u'10.1038/cdd.2008.148'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Thomas'), ('AUTHOR_FIRST_NAME', u'R'), ('TITLE', u'HIF-'), ('TITLE', u'1'), ('TITLE', u'alpha:'), ('TITLE', u'a'), ('TITLE', u'key'), ('TITLE', u'survival'), ('TITLE', u'factor'), ('TITLE', u'for'), ('TITLE', u'serum-'), ('TITLE', u'deprived'), ('TITLE', u'prostate'), ('TITLE', u'cancer'), ('TITLE', u'cells'), ('JOURNAL', u'Prostate'), ('VOLUME', u'68'), ('YEAR', u'2008'), ('PAGE', u'1405'), ('DOI', u'10.1002/pros.20808'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Lee'), ('AUTHOR_FIRST_NAME', u'K'), ('TITLE', u'Anthracycline'), ('TITLE', u'chemotherapy'), ('TITLE', u'inhibits'), ('TITLE', u'HIF-'), ('TITLE', u'1'), ('TITLE', u'transcriptional'), ('TITLE', u'activity'), ('TITLE', u'and'), ('TITLE', u'tumor-'), ('TITLE', u'induced'), ('TITLE', u'mobilization'), ('TITLE', u'of'), ('TITLE', u'circulating'), ('TITLE', u'angiogenic'), ('TITLE', u'cells'), ('JOURNAL', u'Proc'), ('JOURNAL', u'Natl'), ('JOURNAL', u'Acad'), ('JOURNAL', u'Sci'), ('JOURNAL', u'U'), ('JOURNAL', u'S'), ('JOURNAL', u'A'), ('VOLUME', u'106'), ('YEAR', u'2009'), ('PAGE', u'2353'), ('DOI', u'10.1073/pnas.0812801106'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')], [('AUTHOR_LAST_NAME', u'Anantharam'), ('AUTHOR_FIRST_NAME', u'V'), ('TITLE', u'Opposing'), ('TITLE', u'roles'), ('TITLE', u'of'), ('TITLE', u'prion'), ('TITLE', u'protein'), ('TITLE', u'in'), ('TITLE', u'oxidative'), ('TITLE', u'stress-'), ('TITLE', u'and'), ('TITLE', u'ER'), ('TITLE', u'stress-'), ('TITLE', u'induced'), ('TITLE', u'apoptotic'), ('TITLE', u'signaling'), ('JOURNAL', u'Free'), ('JOURNAL', u'Radic'), ('JOURNAL', u'Biol'), ('JOURNAL', u'Med'), ('VOLUME', u'45'), ('YEAR', u'2008'), ('PAGE', u'1530'), ('DOI', u'10.1016/j.freeradbiomed.2008.08.028'), ('REFPLAINTEXT', '?!?!'), ('REFSTR', '?!?!')]]]
train_3 = [[('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Aursand'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Ridder'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'dynamics'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'weak'), ('TITLE', u'Freedericksz'), ('TITLE', u'transition'), ('TITLE', u'for'), ('TITLE', u'nematic'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'20'), ('ISSUE', u'5'), ('YEAR', u'2016'), ('PAGE', u'1359'), ('DOI', u'10.4208/cicp.190615.090516a'), ('REFPLAINTEXT', u'Aursand, P., Napoli, G., Ridder, J.: On the dynamics of the weak Freedericksz transition for nematic liquid crystals. Commun. Comput. Phys. 20(5), 1359–1380 (2016)'), ('REFSTR', "{u'bibunstructured': u'Aursand, P., Napoli, G., Ridder, J.: On the dynamics of the weak Freedericksz transition for nematic liquid crystals. Commun. Comput. Phys. 20(5), 1359\\u20131380 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Aursand', u'initials': u'P'}, {u'familyname': u'Napoli', u'initials': u'G'}, {u'familyname': u'Ridder', u'initials': u'J'}], u'issueid': u'5', u'journaltitle': u'Commun. Comput. Phys.', u'volumeid': u'20', u'firstpage': u'1359', u'lastpage': u'1380', u'year': u'2016', u'articletitle': {u'#text': u'On the dynamics of the weak Freedericksz transition for nematic liquid crystals', u'@outputmedium': u'All', u'@language': u'En'}, u'occurrence': [{u'handle': u'3611798', u'@type': u'AMSID'}, {u'handle': u'10.4208/cicp.190615.090516a', u'@type': u'DOI'}]}, u'citationnumber': u'1.', u'@id': u'CR1'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Bevilacqua'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'Reexamination'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'72'), ('ISSUE', u'4'), ('YEAR', u'2005'), ('PAGE', u'041708'), ('REFPLAINTEXT', u'Bevilacqua, G., Napoli, G.: Reexamination of the Helfrich–Hurault effect in smectic-a liquid crystals. Phys. Rev. E 72(4), 041708 (2005)'), ('REFSTR', "{u'bibunstructured': u'Bevilacqua, G., Napoli, G.: Reexamination of the Helfrich\\u2013Hurault effect in smectic-a liquid crystals. Phys. Rev. E 72(4), 041708 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bevilacqua', u'initials': u'G'}, {u'familyname': u'Napoli', u'initials': u'G'}], u'issueid': u'4', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'72', u'firstpage': u'041708', u'year': u'2005', u'articletitle': {u'#text': u'Reexamination of the Helfrich\\u2013Hurault effect in smectic-a liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.72.041708', u'@type': u'DOI'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Bevilacqua'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'Parity'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'weak'), ('TITLE', u'Fredericksz'), ('TITLE', u'transition'), ('JOURNAL', u'Eur.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'J.'), ('JOURNAL', u'E'), ('VOLUME', u'35'), ('ISSUE', u'12'), ('YEAR', u'2012'), ('PAGE', u'133'), ('REFPLAINTEXT', u'Bevilacqua, G., Napoli, G.: Parity of the weak Fréedericksz transition. Eur. Phys. J. E 35(12), 133 (2012)'), ('REFSTR', "{u'bibunstructured': u'Bevilacqua, G., Napoli, G.: Parity of the weak Fr\\xe9edericksz transition. Eur. Phys. J. E 35(12), 133 (2012)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bevilacqua', u'initials': u'G'}, {u'familyname': u'Napoli', u'initials': u'G'}], u'issueid': u'12', u'journaltitle': u'Eur. Phys. J. E', u'volumeid': u'35', u'firstpage': u'133', u'year': u'2012', u'articletitle': {u'#text': u'Parity of the weak Fr\\xe9edericksz transition', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1140/epje/i2012-12133-7', u'@type': u'DOI'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")], [('AUTHOR_FIRST_NAME', u'NA'), ('AUTHOR_LAST_NAME', u'Clark'), ('AUTHOR_FIRST_NAME', u'RB'), ('AUTHOR_LAST_NAME', u'Meyer'), ('TITLE', u'Strain-'), ('TITLE', u'induced'), ('TITLE', u'instability'), ('TITLE', u'of'), ('TITLE', u'monodomain'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'and'), ('TITLE', u'cholesteric'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Lett.'), ('VOLUME', u'22'), ('ISSUE', u'10'), ('YEAR', u'1973'), ('PAGE', u'493'), ('REFPLAINTEXT', u'Clark, N.A., Meyer, R.B.: Strain-induced instability of monodomain smectic a and cholesteric liquid crystals. Appl. Phys. Lett. 22(10), 493–494 (1973)'), ('REFSTR', "{u'bibunstructured': u'Clark, N.A., Meyer, R.B.: Strain-induced instability of monodomain smectic a and cholesteric liquid crystals. Appl. Phys. Lett. 22(10), 493\\u2013494 (1973)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Clark', u'initials': u'NA'}, {u'familyname': u'Meyer', u'initials': u'RB'}], u'issueid': u'10', u'journaltitle': u'Appl. Phys. Lett.', u'volumeid': u'22', u'firstpage': u'493', u'lastpage': u'494', u'year': u'1973', u'articletitle': {u'#text': u'Strain-induced instability of monodomain smectic a and cholesteric liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1063/1.1654481', u'@type': u'DOI'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Vita'), ('AUTHOR_FIRST_NAME', u'IW'), ('AUTHOR_LAST_NAME', u'Stewart'), ('TITLE', u'Influence'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'anchoring'), ('TITLE', u'upon'), ('TITLE', u'the'), ('TITLE', u'alignment'), ('TITLE', u'of'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'with'), ('TITLE', u'surface'), ('TITLE', u'pretilt'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Condens.'), ('JOURNAL', u'Matter'), ('VOLUME', u'20'), ('ISSUE', u'33'), ('YEAR', u'2008'), ('PAGE', u'335101'), ('REFPLAINTEXT', u'De Vita, R., Stewart, I.W.: Influence of weak anchoring upon the alignment of smectic a liquid crystals with surface pretilt. J. Phys. Condens. Matter 20(33), 335101 (2008)'), ('REFSTR', "{u'bibunstructured': u'De Vita, R., Stewart, I.W.: Influence of weak anchoring upon the alignment of smectic a liquid crystals with surface pretilt. J. Phys. Condens. Matter 20(33), 335101 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Vita', u'particle': u'De', u'initials': u'R'}, {u'familyname': u'Stewart', u'initials': u'IW'}], u'issueid': u'33', u'journaltitle': u'J. Phys. Condens. Matter', u'volumeid': u'20', u'firstpage': u'335101', u'year': u'2008', u'articletitle': {u'#text': u'Influence of weak anchoring upon the alignment of smectic a liquid crystals with surface pretilt', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1088/0953-8984/20/33/335101', u'@type': u'DOI'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")], [('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Gennes'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Prost'), ('YEAR', u'1993'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Physics'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Liquid'), ('PUBLISHER', u'Crystals'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'de Gennes, P., Prost, J.: The Physics of Liquid Crystals, 2nd edn. Clarendon Press, Oxford (1993)'), ('REFSTR', "{u'bibunstructured': u'de Gennes, P., Prost, J.: The Physics of Liquid Crystals, 2nd edn. Clarendon Press, Oxford (1993)', u'citationnumber': u'6.', u'@id': u'CR6', u'bibbook': {u'bibauthorname': [{u'familyname': u'Gennes', u'particle': u'de', u'initials': u'P'}, {u'familyname': u'Prost', u'initials': u'J'}], u'publisherlocation': u'Oxford', u'booktitle': u'The Physics of Liquid Crystals', u'year': u'1993', u'editionnumber': u'2', u'publishername': u'Clarendon Press'}}")], [('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Pascalis'), ('TITLE', u'Mechanically'), ('TITLE', u'induced'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'confined'), ('TITLE', u'lamellar'), ('TITLE', u'system'), ('TITLE', u'with'), ('TITLE', u'finite'), ('TITLE', u'surface'), ('TITLE', u'anchoring'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'100'), ('ISSUE', u'1'), ('YEAR', u'2019'), ('PAGE', u'012705'), ('REFPLAINTEXT', u'De Pascalis, R.: Mechanically induced Helfrich–Hurault effect in a confined lamellar system with finite surface anchoring. Phys. Rev. E 100(1), 012705 (2019)'), ('REFSTR', "{u'bibunstructured': u'De Pascalis, R.: Mechanically induced Helfrich\\u2013Hurault effect in a confined lamellar system with finite surface anchoring. Phys. Rev. E 100(1), 012705 (2019)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pascalis', u'particle': u'De', u'initials': u'R'}, u'issueid': u'1', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'100', u'firstpage': u'012705', u'year': u'2019', u'articletitle': {u'#text': u'Mechanically induced Helfrich\\u2013Hurault effect in a confined lamellar system with finite surface anchoring', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.100.012705', u'@type': u'DOI'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")], [('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Deuling'), ('TITLE', u'Deformation'), ('TITLE', u'of'), ('TITLE', u'nematic'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'electric'), ('TITLE', u'field'), ('JOURNAL', u'Mol.'), ('JOURNAL', u'Cryst.'), ('JOURNAL', u'Liq.'), ('JOURNAL', u'Cryst.'), ('VOLUME', u'19'), ('YEAR', u'1972'), ('PAGE', u'123'), ('REFPLAINTEXT', u'Deuling, H.: Deformation of nematic liquid crystals in an electric field. Mol. Cryst. Liq. Cryst. 19, 123 (1972)'), ('REFSTR', "{u'bibunstructured': u'Deuling, H.: Deformation of nematic liquid crystals in an electric field. Mol. Cryst. Liq. Cryst. 19, 123 (1972)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Deuling', u'initials': u'H'}, u'occurrence': {u'handle': u'10.1080/15421407208083858', u'@type': u'DOI'}, u'journaltitle': u'Mol. Cryst. Liq. Cryst.', u'volumeid': u'19', u'firstpage': u'123', u'year': u'1972', u'articletitle': {u'#text': u'Deformation of nematic liquid crystals in an electric field', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Elias'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Flament'), ('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Bacri'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Neveau'), ('TITLE', u'Macro-'), ('TITLE', u'organized'), ('TITLE', u'patterns'), ('TITLE', u'in'), ('TITLE', u'ferrofluid'), ('TITLE', u'layer:'), ('TITLE', u'experimental'), ('TITLE', u'studies'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'I'), ('VOLUME', u'7'), ('YEAR', u'1997'), ('PAGE', u'711'), ('REFPLAINTEXT', u'Elias, F., Flament, C., Bacri, J.C., Neveau, S.: Macro-organized patterns in ferrofluid layer: experimental studies. J. Phys. I 7, 711 (1997)'), ('REFSTR', "{u'bibunstructured': u'Elias, F., Flament, C., Bacri, J.C., Neveau, S.: Macro-organized patterns in ferrofluid layer: experimental studies. J. Phys. I 7, 711 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Elias', u'initials': u'F'}, {u'familyname': u'Flament', u'initials': u'C'}, {u'familyname': u'Bacri', u'initials': u'JC'}, {u'familyname': u'Neveau', u'initials': u'S'}], u'journaltitle': u'J. Phys. I', u'volumeid': u'7', u'firstpage': u'711', u'year': u'1997', u'articletitle': {u'#text': u'Macro-organized patterns in ferrofluid layer: experimental studies', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Elston'), ('TITLE', u'Smectic-'), ('TITLE', u'A'), ('TITLE', u'Fredericksz'), ('TITLE', u'transition'), ('JOURNAL', u'Phy.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'58'), ('ISSUE', u'2'), ('YEAR', u'1998'), ('PAGE', u'R1215'), ('REFPLAINTEXT', u'Elston, S.J.: Smectic-A Fréedericksz transition. Phy. Rev. E 58(2), R1215–R1217 (1998)'), ('REFSTR', "{u'bibunstructured': u'Elston, S.J.: Smectic-A Fr\\xe9edericksz transition. Phy. Rev. E 58(2), R1215\\u2013R1217 (1998)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Elston', u'initials': u'SJ'}, u'issueid': u'2', u'journaltitle': u'Phy. Rev. E', u'volumeid': u'58', u'firstpage': u'R1215', u'lastpage': u'R1217', u'year': u'1998', u'articletitle': {u'#text': u'Smectic-A Fr\\xe9edericksz transition', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.58.R1215', u'@type': u'DOI'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")], [('AUTHOR_FIRST_NAME', u'CJ'), ('AUTHOR_LAST_NAME', u'Garca-Cervera'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Joo'), ('TITLE', u'Analytic'), ('TITLE', u'description'), ('TITLE', u'of'), ('TITLE', u'layer'), ('TITLE', u'undulations'), ('TITLE', u'in'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Ration.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'203'), ('ISSUE', u'1'), ('YEAR', u'2012'), ('PAGE', u'1'), ('DOI', u'10.1007/s00205-011-0442-y'), ('REFPLAINTEXT', u'García-Cervera, C.J., Joo, S.: Analytic description of layer undulations in smectic a liquid crystals. Arch. Ration. Mech. Anal. 203(1), 1–43 (2012)'), ('REFSTR', "{u'bibunstructured': u'Garc\\xeda-Cervera, C.J., Joo, S.: Analytic description of layer undulations in smectic a liquid crystals. Arch. Ration. Mech. Anal. 203(1), 1\\u201343 (2012)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Garc\\xeda-Cervera', u'initials': u'CJ'}, {u'familyname': u'Joo', u'initials': u'S'}], u'issueid': u'1', u'journaltitle': u'Arch. Ration. Mech. Anal.', u'volumeid': u'203', u'firstpage': u'1', u'lastpage': u'43', u'year': u'2012', u'articletitle': {u'#text': u'Analytic description of layer undulations in smectic a liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'2864406', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00205-011-0442-y', u'@type': u'DOI'}]}, u'citationnumber': u'11.', u'@id': u'CR11'}")], [('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Helfrich'), ('TITLE', u'Deformation'), ('TITLE', u'of'), ('TITLE', u'cholesteric'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'with'), ('TITLE', u'low'), ('TITLE', u'threshold'), ('TITLE', u'voltage'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Lett.'), ('VOLUME', u'17'), ('ISSUE', u'12'), ('YEAR', u'1970'), ('PAGE', u'531'), ('REFPLAINTEXT', u'Helfrich, W.: Deformation of cholesteric liquid crystals with low threshold voltage. Appl. Phys. Lett. 17(12), 531–532 (1970)'), ('REFSTR', "{u'bibunstructured': u'Helfrich, W.: Deformation of cholesteric liquid crystals with low threshold voltage. Appl. Phys. Lett. 17(12), 531\\u2013532 (1970)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Helfrich', u'initials': u'W'}, u'issueid': u'12', u'journaltitle': u'Appl. Phys. Lett.', u'volumeid': u'17', u'firstpage': u'531', u'lastpage': u'532', u'year': u'1970', u'articletitle': {u'#text': u'Deformation of cholesteric liquid crystals with low threshold voltage', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1063/1.1653297', u'@type': u'DOI'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")], [('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Hurault'), ('TITLE', u'Static'), ('TITLE', u'distortions'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'cholesteric'), ('TITLE', u'planar'), ('TITLE', u'structure'), ('TITLE', u'induced'), ('TITLE', u'by'), ('TITLE', u'magnet'), ('TITLE', u'ic'), ('TITLE', u'or'), ('TITLE', u'ac'), ('TITLE', u'electric'), ('TITLE', u'fields'), ('JOURNAL', u'J.'), ('JOURNAL', u'Chem.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'59'), ('ISSUE', u'4'), ('YEAR', u'1973'), ('PAGE', u'2068'), ('REFPLAINTEXT', u'Hurault, J.: Static distortions of a cholesteric planar structure induced by magnet ic or ac electric fields. J. Chem. Phys. 59(4), 2068–2075 (1973)'), ('REFSTR', "{u'bibunstructured': u'Hurault, J.: Static distortions of a cholesteric planar structure induced by magnet ic or ac electric fields. J. Chem. Phys. 59(4), 2068\\u20132075 (1973)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Hurault', u'initials': u'J'}, u'issueid': u'4', u'journaltitle': u'J. Chem. Phys.', u'volumeid': u'59', u'firstpage': u'2068', u'lastpage': u'2075', u'year': u'1973', u'articletitle': {u'#text': u'Static distortions of a cholesteric planar structure induced by magnet ic or ac electric fields', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1063/1.1680293', u'@type': u'DOI'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")], [('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Ishikawa'), ('AUTHOR_FIRST_NAME', u'OD'), ('AUTHOR_LAST_NAME', u'Lavrentovich'), ('TITLE', u'Undulations'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'confined'), ('TITLE', u'lamellar'), ('TITLE', u'system'), ('TITLE', u'with'), ('TITLE', u'surface'), ('TITLE', u'anchoring'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'63'), ('ISSUE', u'3'), ('YEAR', u'2001'), ('PAGE', u'030501'), ('REFPLAINTEXT', u'Ishikawa, T., Lavrentovich, O.D.: Undulations in a confined lamellar system with surface anchoring. Phys. Rev. E 63(3), 030501 (2001)'), ('REFSTR', "{u'bibunstructured': u'Ishikawa, T., Lavrentovich, O.D.: Undulations in a confined lamellar system with surface anchoring. Phys. Rev. E 63(3), 030501 (2001)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ishikawa', u'initials': u'T'}, {u'familyname': u'Lavrentovich', u'initials': u'OD'}], u'issueid': u'3', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'63', u'firstpage': u'030501', u'year': u'2001', u'articletitle': {u'#text': u'Undulations in a confined lamellar system with surface anchoring', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.63.030501', u'@type': u'DOI'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")], [('AUTHOR_FIRST_NAME', u'PJ'), ('AUTHOR_LAST_NAME', u'Kedney'), ('AUTHOR_FIRST_NAME', u'IW'), ('AUTHOR_LAST_NAME', u'Stewart'), ('TITLE', u'The'), ('TITLE', u'onset'), ('TITLE', u'of'), ('TITLE', u'layer'), ('TITLE', u'deformations'), ('TITLE', u'in'), ('TITLE', u'non-'), ('TITLE', u'chiral'), ('TITLE', u'smectic'), ('TITLE', u'C'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'ZAMP'), ('VOLUME', u'45'), ('ISSUE', u'6'), ('YEAR', u'1994'), ('PAGE', u'882'), ('REFPLAINTEXT', u'Kedney, P.J., Stewart, I.W.: The onset of layer deformations in non-chiral smectic C liquid crystals. ZAMP 45(6), 882–898 (1994)'), ('REFSTR', "{u'bibunstructured': u'Kedney, P.J., Stewart, I.W.: The onset of layer deformations in non-chiral smectic C liquid crystals. ZAMP 45(6), 882\\u2013898 (1994)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kedney', u'initials': u'PJ'}, {u'familyname': u'Stewart', u'initials': u'IW'}], u'issueid': u'6', u'journaltitle': u'ZAMP', u'volumeid': u'45', u'firstpage': u'882', u'lastpage': u'898', u'year': u'1994', u'articletitle': {u'#text': u'The onset of layer deformations in non-chiral smectic C liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'1306938', u'@type': u'AMSID'}, {u'handle': u'0820.76009', u'@type': u'ZLBID'}]}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('AUTHOR_FIRST_NAME', u'LV'), ('AUTHOR_LAST_NAME', u'Mirantsev'), ('TITLE', u'Dynamics'), ('TITLE', u'of'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'deformations'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Eur.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'J.'), ('JOURNAL', u'E'), ('VOLUME', u'38'), ('ISSUE', u'9'), ('YEAR', u'2015'), ('PAGE', u'104'), ('REFPLAINTEXT', u'Mirantsev, L.V.: Dynamics of Helfrich–Hurault deformations in smectic-A liquid crystals. Eur. Phys. J. E 38(9), 104 (2015)'), ('REFSTR', "{u'bibunstructured': u'Mirantsev, L.V.: Dynamics of Helfrich\\u2013Hurault deformations in smectic-A liquid crystals. Eur. Phys. J. E 38(9), 104 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Mirantsev', u'initials': u'LV'}, u'issueid': u'9', u'journaltitle': u'Eur. Phys. J. E', u'volumeid': u'38', u'firstpage': u'104', u'year': u'2015', u'articletitle': {u'#text': u'Dynamics of Helfrich\\u2013Hurault deformations in smectic-A liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1140/epje/i2015-15104-6', u'@type': u'DOI'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'Weak'), ('TITLE', u'anchoring'), ('TITLE', u'effects'), ('TITLE', u'in'), ('TITLE', u'electrically'), ('TITLE', u'driven'), ('TITLE', u'Freedericksz'), ('TITLE', u'transitions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Gen.'), ('VOLUME', u'39'), ('YEAR', u'2005'), ('PAGE', u'11'), ('DOI', u'10.1088/0305-4470/39/1/002'), ('REFPLAINTEXT', u'Napoli, G.: Weak anchoring effects in electrically driven Freedericksz transitions. J. Phys. A Math. Gen. 39, 11–31 (2005)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G.: Weak anchoring effects in electrically driven Freedericksz transitions. J. Phys. A Math. Gen. 39, 11\\u201331 (2005)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Napoli', u'initials': u'G'}, u'occurrence': [{u'handle': u'2200181', u'@type': u'AMSID'}, {u'handle': u'10.1088/0305-4470/39/1/002', u'@type': u'DOI'}], u'journaltitle': u'J. Phys. A Math. Gen.', u'volumeid': u'39', u'firstpage': u'11', u'lastpage': u'31', u'year': u'2005', u'articletitle': {u'#text': u'Weak anchoring effects in electrically driven Freedericksz transitions', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('TITLE', u'On'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'electrostatic'), ('TITLE', u'field'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'71'), ('ISSUE', u'1'), ('YEAR', u'2006'), ('PAGE', u'34'), ('DOI', u'10.1093/imamat/hxh080'), ('REFPLAINTEXT', u'Napoli, G.: On smectic-A liquid crystals in an electrostatic field. IMA J. Appl. Math. 71(1), 34–46 (2006)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G.: On smectic-A liquid crystals in an electrostatic field. IMA J. Appl. Math. 71(1), 34\\u201346 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Napoli', u'initials': u'G'}, u'issueid': u'1', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'71', u'firstpage': u'34', u'lastpage': u'46', u'year': u'2006', u'articletitle': {u'#text': u'On smectic-A liquid crystals in an electrostatic field', u'@language': u'En'}, u'occurrence': [{u'handle': u'2203042', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxh080', u'@type': u'DOI'}]}, u'citationnumber': u'18.', u'@id': u'CR18'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Nobili'), ('TITLE', u'Mechanically'), ('TITLE', u'induced'), ('TITLE', u'HelfrichHurault'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'lamellar'), ('TITLE', u'systems'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'80'), ('ISSUE', u'3'), ('YEAR', u'2009'), ('PAGE', u'031710'), ('REFPLAINTEXT', u'Napoli, G., Nobili, A.: Mechanically induced Helfrich–Hurault effect in lamellar systems. Phys. Rev. E 80(3), 031710 (2009)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G., Nobili, A.: Mechanically induced Helfrich\\u2013Hurault effect in lamellar systems. Phys. Rev. E 80(3), 031710 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Napoli', u'initials': u'G'}, {u'familyname': u'Nobili', u'initials': u'A'}], u'issueid': u'3', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'80', u'firstpage': u'031710', u'year': u'2009', u'articletitle': {u'#text': u'Mechanically induced Helfrich\\u2013Hurault effect in lamellar systems', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.80.031710', u'@type': u'DOI'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Napoli'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Turzi'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'determination'), ('TITLE', u'of'), ('TITLE', u'nontrivial'), ('TITLE', u'equilibrium'), ('TITLE', u'configurations'), ('TITLE', u'close'), ('TITLE', u'to'), ('TITLE', u'a'), ('TITLE', u'bifurcation'), ('TITLE', u'point'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'55'), ('ISSUE', u'2'), ('YEAR', u'2008'), ('PAGE', u'299'), ('DOI', u'10.1016/j.camwa.2007.04.008'), ('REFPLAINTEXT', u'Napoli, G., Turzi, S.: On the determination of nontrivial equilibrium configurations close to a bifurcation point. Comput. Math. Appl. 55(2), 299–306 (2008)'), ('REFSTR', "{u'bibunstructured': u'Napoli, G., Turzi, S.: On the determination of nontrivial equilibrium configurations close to a bifurcation point. Comput. Math. Appl. 55(2), 299\\u2013306 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Napoli', u'initials': u'G'}, {u'familyname': u'Turzi', u'initials': u'S'}], u'issueid': u'2', u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'55', u'firstpage': u'299', u'lastpage': u'306', u'year': u'2008', u'articletitle': {u'#text': u'On the determination of nontrivial equilibrium configurations close to a bifurcation point', u'@language': u'En'}, u'occurrence': [{u'handle': u'2383109', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2007.04.008', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Onuki'), ('AUTHOR_FIRST_NAME', u'JI'), ('AUTHOR_LAST_NAME', u'Fukuda'), ('TITLE', u'Electric'), ('TITLE', u'field'), ('TITLE', u'effects'), ('TITLE', u'and'), ('TITLE', u'form'), ('TITLE', u'birefringence'), ('TITLE', u'in'), ('TITLE', u'diblock'), ('TITLE', u'copolymers'), ('JOURNAL', u'Macromolecules'), ('VOLUME', u'28'), ('YEAR', u'1996'), ('PAGE', u'8788'), ('REFPLAINTEXT', u'Onuki, A., Fukuda, J.I.: Electric field effects and form birefringence in diblock copolymers. Macromolecules 28, 8788 (1996)'), ('REFSTR', "{u'bibunstructured': u'Onuki, A., Fukuda, J.I.: Electric field effects and form birefringence in diblock copolymers. Macromolecules 28, 8788 (1996)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Onuki', u'initials': u'A'}, {u'familyname': u'Fukuda', u'initials': u'JI'}], u'occurrence': {u'handle': u'10.1021/ma00130a011', u'@type': u'DOI'}, u'journaltitle': u'Macromolecules', u'volumeid': u'28', u'firstpage': u'8788', u'year': u'1996', u'articletitle': {u'#text': u'Electric field effects and form birefringence in diblock copolymers', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")], [('AUTHOR_FIRST_NAME', u'JB'), ('AUTHOR_LAST_NAME', u'Poursamad'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Hallaji'), ('TITLE', u'Freedericksz'), ('TITLE', u'transition'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'doped'), ('TITLE', u'by'), ('TITLE', u'ferroelectric'), ('TITLE', u'nanoparticles'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'B'), ('JOURNAL', u'Condens.'), ('JOURNAL', u'Matter'), ('VOLUME', u'504'), ('YEAR', u'2017'), ('PAGE', u'112'), ('REFPLAINTEXT', u'Poursamad, J.B., Hallaji, T.: Freedericksz transition in smectic-A liquid crystals doped by ferroelectric nanoparticles. Phys. B Condens. Matter 504, 112–115 (2017)'), ('REFSTR', "{u'bibunstructured': u'Poursamad, J.B., Hallaji, T.: Freedericksz transition in smectic-A liquid crystals doped by ferroelectric nanoparticles. Phys. B Condens. Matter 504, 112\\u2013115 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Poursamad', u'initials': u'JB'}, {u'familyname': u'Hallaji', u'initials': u'T'}], u'occurrence': {u'handle': u'10.1016/j.physb.2016.10.022', u'@type': u'DOI'}, u'journaltitle': u'Phys. B Condens. Matter', u'volumeid': u'504', u'firstpage': u'112', u'lastpage': u'115', u'year': u'2017', u'articletitle': {u'#text': u'Freedericksz transition in smectic-A liquid crystals doped by ferroelectric nanoparticles', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")], [('REFPLAINTEXT', u'Rapini, A., Papoular., M.: Distortion d’une lamelle nématique sous champ magnétique. conditions d’angrage aux paroix. J. Phys. Colloque C4, p. 54 (1969)'), ('REFSTR', "{u'bibunstructured': u'Rapini, A., Papoular., M.: Distortion d\\u2019une lamelle n\\xe9matique sous champ magn\\xe9tique. conditions d\\u2019angrage aux paroix. J. Phys. Colloque C4, p. 54 (1969)', u'citationnumber': u'23.', u'@id': u'CR23'}")], [('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Ribotta'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Durand'), ('TITLE', u'Mechanical'), ('TITLE', u'instabilities'), ('TITLE', u'of'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'under'), ('TITLE', u'dilatative'), ('TITLE', u'or'), ('TITLE', u'compressive'), ('TITLE', u'stresses'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'38'), ('YEAR', u'1977'), ('PAGE', u'179'), ('REFPLAINTEXT', u'Ribotta, R., Durand, G.: Mechanical instabilities of smectic-A liquid crystals under dilatative or compressive stresses. J. Phys. 38, 179–203 (1977)'), ('REFSTR', "{u'bibunstructured': u'Ribotta, R., Durand, G.: Mechanical instabilities of smectic-A liquid crystals under dilatative or compressive stresses. J. Phys. 38, 179\\u2013203 (1977)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ribotta', u'initials': u'R'}, {u'familyname': u'Durand', u'initials': u'G'}], u'occurrence': {u'handle': u'10.1051/jphys:01977003802017900', u'@type': u'DOI'}, u'journaltitle': u'J. Phys.', u'volumeid': u'38', u'firstpage': u'179', u'lastpage': u'203', u'year': u'1977', u'articletitle': {u'#text': u'Mechanical instabilities of smectic-A liquid crystals under dilatative or compressive stresses', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")], [('AUTHOR_FIRST_NAME', u'CD'), ('AUTHOR_LAST_NAME', u'Santangelo'), ('AUTHOR_FIRST_NAME', u'RD'), ('AUTHOR_LAST_NAME', u'Kamien'), ('TITLE', u'Curvature'), ('TITLE', u'and'), ('TITLE', u'topology'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'461'), ('ISSUE', u'2061'), ('YEAR', u'2005'), ('PAGE', u'2911'), ('DOI', u'10.1098/rspa.2005.1534'), ('REFPLAINTEXT', u'Santangelo, C.D., Kamien, R.D.: Curvature and topology in smectic-A liquid crystals. Proc. R. Soc. A Math. Phys. Eng. Sci. 461(2061), 2911–2921 (2005)'), ('REFSTR', "{u'bibunstructured': u'Santangelo, C.D., Kamien, R.D.: Curvature and topology in smectic-A liquid crystals. Proc. R. Soc. A Math. Phys. Eng. Sci. 461(2061), 2911\\u20132921 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Santangelo', u'initials': u'CD'}, {u'familyname': u'Kamien', u'initials': u'RD'}], u'issueid': u'2061', u'journaltitle': u'Proc. R. Soc. A Math. Phys. Eng. Sci.', u'volumeid': u'461', u'firstpage': u'2911', u'lastpage': u'2921', u'year': u'2005', u'articletitle': {u'#text': u'Curvature and topology in smectic-A liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'2165518', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.2005.1534', u'@type': u'DOI'}]}, u'citationnumber': u'25.', u'@id': u'CR25'}")], [('AUTHOR_FIRST_NAME', u'BI'), ('AUTHOR_LAST_NAME', u'Senyuk'), ('AUTHOR_FIRST_NAME', u'II'), ('AUTHOR_LAST_NAME', u'Smalyukh'), ('AUTHOR_FIRST_NAME', u'OD'), ('AUTHOR_LAST_NAME', u'Lavrentovich'), ('TITLE', u'Undulations'), ('TITLE', u'of'), ('TITLE', u'lamellar'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'in'), ('TITLE', u'cells'), ('TITLE', u'with'), ('TITLE', u'finite'), ('TITLE', u'surface'), ('TITLE', u'anchoring'), ('TITLE', u'near'), ('TITLE', u'and'), ('TITLE', u'well'), ('TITLE', u'above'), ('TITLE', u'the'), ('TITLE', u'threshold'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'74'), ('ISSUE', u'1'), ('YEAR', u'2006'), ('PAGE', u'011712'), ('REFPLAINTEXT', u'Senyuk, B.I., Smalyukh, I.I., Lavrentovich, O.D.: Undulations of lamellar liquid crystals in cells with finite surface anchoring near and well above the threshold. Phys. Rev. E 74(1), 011712 (2006)'), ('REFSTR', "{u'bibunstructured': u'Senyuk, B.I., Smalyukh, I.I., Lavrentovich, O.D.: Undulations of lamellar liquid crystals in cells with finite surface anchoring near and well above the threshold. Phys. Rev. E 74(1), 011712 (2006)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Senyuk', u'initials': u'BI'}, {u'familyname': u'Smalyukh', u'initials': u'II'}, {u'familyname': u'Lavrentovich', u'initials': u'OD'}], u'issueid': u'1', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'74', u'firstpage': u'011712', u'year': u'2006', u'articletitle': {u'#text': u'Undulations of lamellar liquid crystals in cells with finite surface anchoring near and well above the threshold', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.74.011712', u'@type': u'DOI'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Seul'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Wolfe'), ('TITLE', u'Evolution'), ('TITLE', u'of'), ('TITLE', u'disorder'), ('TITLE', u'in'), ('TITLE', u'magnetic'), ('TITLE', u'stripe'), ('TITLE', u'domains.'), ('TITLE', u'I.'), ('TITLE', u'Transverse'), ('TITLE', u'instabilities'), ('TITLE', u'and'), ('TITLE', u'disclination'), ('TITLE', u'unbinding'), ('TITLE', u'in'), ('TITLE', u'lamellar'), ('TITLE', u'patterns'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'A'), ('VOLUME', u'46'), ('ISSUE', u'12'), ('YEAR', u'1992'), ('PAGE', u'7519'), ('REFPLAINTEXT', u'Seul, M., Wolfe, R.: Evolution of disorder in magnetic stripe domains. I. Transverse instabilities and disclination unbinding in lamellar patterns. Phys. Rev. A 46(12), 7519–7533 (1992)'), ('REFSTR', "{u'bibunstructured': u'Seul, M., Wolfe, R.: Evolution of disorder in magnetic stripe domains. I. Transverse instabilities and disclination unbinding in lamellar patterns. Phys. Rev. A 46(12), 7519\\u20137533 (1992)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Seul', u'initials': u'M'}, {u'familyname': u'Wolfe', u'initials': u'R'}], u'issueid': u'12', u'journaltitle': u'Phys. Rev. A', u'volumeid': u'46', u'firstpage': u'7519', u'lastpage': u'7533', u'year': u'1992', u'articletitle': {u'#text': u'Evolution of disorder in magnetic stripe domains. I. Transverse instabilities and disclination unbinding in lamellar patterns', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevA.46.7519', u'@type': u'DOI'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")], [('AUTHOR_FIRST_NAME', u'AN'), ('AUTHOR_LAST_NAME', u'Shalaginov'), ('AUTHOR_FIRST_NAME', u'LD'), ('AUTHOR_LAST_NAME', u'Hazelwood'), ('AUTHOR_FIRST_NAME', u'TJ'), ('AUTHOR_LAST_NAME', u'Sluckin'), ('TITLE', u'Dynamics'), ('TITLE', u'of'), ('TITLE', u'chevron'), ('TITLE', u'structure'), ('TITLE', u'formation'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'58'), ('ISSUE', u'6'), ('YEAR', u'1998'), ('PAGE', u'7455'), ('REFPLAINTEXT', u'Shalaginov, A.N., Hazelwood, L.D., Sluckin, T.J.: Dynamics of chevron structure formation. Phys. Rev. E 58(6), 7455–7464 (1998)'), ('REFSTR', "{u'bibunstructured': u'Shalaginov, A.N., Hazelwood, L.D., Sluckin, T.J.: Dynamics of chevron structure formation. Phys. Rev. E 58(6), 7455\\u20137464 (1998)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Shalaginov', u'initials': u'AN'}, {u'familyname': u'Hazelwood', u'initials': u'LD'}, {u'familyname': u'Sluckin', u'initials': u'TJ'}], u'issueid': u'6', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'58', u'firstpage': u'7455', u'lastpage': u'7464', u'year': u'1998', u'articletitle': {u'#text': u'Dynamics of chevron structure formation', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.58.7455', u'@type': u'DOI'}}, u'citationnumber': u'28.', u'@id': u'CR28'}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Siemianowski'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Brimicombe'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Jaradat'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Thompson'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Bras'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Gleeson'), ('TITLE', u'Reorientation'), ('TITLE', u'mechanisms'), ('TITLE', u'in'), ('TITLE', u'smectic'), ('TITLE', u'a'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Liq.'), ('JOURNAL', u'Cryst.'), ('VOLUME', u'39'), ('ISSUE', u'10'), ('YEAR', u'2012'), ('PAGE', u'1261'), ('REFPLAINTEXT', u'Siemianowski, S., Brimicombe, P., Jaradat, S., Thompson, P., Bras, W., Gleeson, H.: Reorientation mechanisms in smectic a liquid crystals. Liq. Cryst. 39(10), 1261–1275 (2012).'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Siemianowski, S., Brimicombe, P., Jaradat, S., Thompson, P., Bras, W., Gleeson, H.: Reorientation mechanisms in smectic a liquid crystals. Liq. Cryst. 39(10), 1261\\u20131275 (2012).', u'externalref': {u'refsource': u'https://doi.org/10.1080/02678292.2012.714486', u'reftarget': {u'@address': u'10.1080/02678292.2012.714486', u'@targettype': u'DOI'}}}, u'bibarticle': {u'bibauthorname': [{u'familyname': u'Siemianowski', u'initials': u'S'}, {u'familyname': u'Brimicombe', u'initials': u'P'}, {u'familyname': u'Jaradat', u'initials': u'S'}, {u'familyname': u'Thompson', u'initials': u'P'}, {u'familyname': u'Bras', u'initials': u'W'}, {u'familyname': u'Gleeson', u'initials': u'H'}], u'issueid': u'10', u'journaltitle': u'Liq. Cryst.', u'volumeid': u'39', u'firstpage': u'1261', u'lastpage': u'1275', u'bibarticledoi': u'10.1080/02678292.2012.714486', u'year': u'2012', u'articletitle': {u'#text': u'Reorientation mechanisms in smectic a liquid crystals', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1080/02678292.2012.714486', u'@type': u'DOI'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")], [('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Singer'), ('TITLE', u'Layer'), ('TITLE', u'buckling'), ('TITLE', u'in'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'and'), ('TITLE', u'two-'), ('TITLE', u'dimensional'), ('TITLE', u'stripe'), ('TITLE', u'phases'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'48'), ('ISSUE', u'4'), ('YEAR', u'1993'), ('PAGE', u'2796'), ('REFPLAINTEXT', u'Singer, S.J.: Layer buckling in smectic-A liquid crystals and two-dimensional stripe phases. Phys. Rev. E 48(4), 2796–2804 (1993)'), ('REFSTR', "{u'bibunstructured': u'Singer, S.J.: Layer buckling in smectic-A liquid crystals and two-dimensional stripe phases. Phys. Rev. E 48(4), 2796\\u20132804 (1993)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Singer', u'initials': u'SJ'}, u'issueid': u'4', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'48', u'firstpage': u'2796', u'lastpage': u'2804', u'year': u'1993', u'articletitle': {u'#text': u'Layer buckling in smectic-A liquid crystals and two-dimensional stripe phases', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.48.2796', u'@type': u'DOI'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")], [('AUTHOR_FIRST_NAME', u'IW'), ('AUTHOR_LAST_NAME', u'Stewart'), ('TITLE', u'Layer'), ('TITLE', u'undulations'), ('TITLE', u'in'), ('TITLE', u'finite'), ('TITLE', u'samples'), ('TITLE', u'of'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('TITLE', u'subjected'), ('TITLE', u'to'), ('TITLE', u'uniform'), ('TITLE', u'pressure'), ('TITLE', u'and'), ('TITLE', u'magnetic'), ('TITLE', u'fields'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'58'), ('ISSUE', u'5'), ('YEAR', u'1998'), ('PAGE', u'5926'), ('REFPLAINTEXT', u'Stewart, I.W.: Layer undulations in finite samples of smectic-A liquid crystals subjected to uniform pressure and magnetic fields. Phys. Rev. E 58(5), 5926–5933 (1998)'), ('REFSTR', "{u'bibunstructured': u'Stewart, I.W.: Layer undulations in finite samples of smectic-A liquid crystals subjected to uniform pressure and magnetic fields. Phys. Rev. E 58(5), 5926\\u20135933 (1998)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Stewart', u'initials': u'IW'}, u'issueid': u'5', u'journaltitle': u'Phys. Rev. E', u'volumeid': u'58', u'firstpage': u'5926', u'lastpage': u'5933', u'year': u'1998', u'articletitle': {u'#text': u'Layer undulations in finite samples of smectic-A liquid crystals subjected to uniform pressure and magnetic fields', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevE.58.5926', u'@type': u'DOI'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")], [('AUTHOR_FIRST_NAME', u'EG'), ('AUTHOR_LAST_NAME', u'Virga'), ('YEAR', u'1993'), ('PUBLISHER', u'Variational'), ('PUBLISHER', u'Theories'), ('PUBLISHER', u'for'), ('PUBLISHER', u'Liquid'), ('PUBLISHER', u'Crystals'), ('REFPLAINTEXT', u'Virga, E.G.: Variational Theories for Liquid Crystals. Chapman & Hall, London (1993)'), ('REFSTR', "{u'bibunstructured': u'Virga, E.G.: Variational Theories for Liquid Crystals. Chapman & Hall, London (1993)', u'citationnumber': u'32.', u'@id': u'CR32', u'bibbook': {u'bibauthorname': {u'familyname': u'Virga', u'initials': u'EG'}, u'publisherlocation': u'London', u'occurrence': {u'handle': u'0814.49002', u'@type': u'ZLBID'}, u'booktitle': u'Variational Theories for Liquid Crystals', u'year': u'1993', u'publishername': u'Chapman & Hall'}}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Weinan'), ('TITLE', u'Nonlinear'), ('TITLE', u'continuum'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'smectic-'), ('TITLE', u'A'), ('TITLE', u'liquid'), ('TITLE', u'crystals'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Ration.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'137'), ('ISSUE', u'2'), ('YEAR', u'1997'), ('PAGE', u'159'), ('DOI', u'10.1007/s002050050026'), ('REFPLAINTEXT', u'Weinan, E.: Nonlinear continuum theory of smectic-A liquid crystals. Arch. Ration. Mech. Anal. 137(2), 159–175 (1997)'), ('REFSTR', "{u'bibunstructured': u'Weinan, E.: Nonlinear continuum theory of smectic-A liquid crystals. Arch. Ration. Mech. Anal. 137(2), 159\\u2013175 (1997)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Weinan', u'initials': u'E'}, u'issueid': u'2', u'journaltitle': u'Arch. Ration. Mech. Anal.', u'volumeid': u'137', u'firstpage': u'159', u'lastpage': u'175', u'year': u'1997', u'articletitle': {u'#text': u'Nonlinear continuum theory of smectic-A liquid crystals', u'@language': u'En'}, u'occurrence': [{u'handle': u'1463793', u'@type': u'AMSID'}, {u'handle': u'10.1007/s002050050026', u'@type': u'DOI'}]}, u'citationnumber': u'33.', u'@id': u'CR33'}")], [('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'scattering'), ('TITLE', u'of'), ('TITLE', u'sound'), ('TITLE', u'by'), ('TITLE', u'two'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'staggered'), ('TITLE', u'plates.'), ('TITLE', u'I.'), ('TITLE', u'Explicit'), ('TITLE', u'matrix'), ('TITLE', u'WienerHopf'), ('TITLE', u'factorization.'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Lond.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'420'), ('YEAR', u'1988'), ('PAGE', u'131'), ('DOI', u'10.1098/rspa.1988.0121'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: On the scattering of sound by two semi-infinite parallel staggered plates. I. Explicit matrix Wiener–Hopf factorization. Proc. R. Soc. Lond. A Math. Phys. Sci. 420, 131–156 (1988)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: On the scattering of sound by two semi-infinite parallel staggered plates. I. Explicit matrix Wiener\\u2013Hopf factorization. Proc. R. Soc. Lond. A Math. Phys. Sci. 420, 131\\u2013156 (1988)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'occurrence': [{u'handle': u'982007', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.1988.0121', u'@type': u'DOI'}], u'journaltitle': u'Proc. R. Soc. Lond. A Math. Phys. Sci.', u'volumeid': u'420', u'firstpage': u'131', u'lastpage': u'156', u'year': u'1988', u'articletitle': {u'#text': u'On the scattering of sound by two semi-infinite parallel staggered plates. I. Explicit matrix Wiener\\u2013Hopf factorization.', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")], [('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'The'), ('TITLE', u'scattering'), ('TITLE', u'of'), ('TITLE', u'sound'), ('TITLE', u'by'), ('TITLE', u'two'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'staggered'), ('TITLE', u'plates.'), ('TITLE', u'II.'), ('TITLE', u'Evaluation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'velocity'), ('TITLE', u'potential'), ('TITLE', u'for'), ('TITLE', u'an'), ('TITLE', u'incident'), ('TITLE', u'plane'), ('TITLE', u'wave'), ('TITLE', u'and'), ('TITLE', u'an'), ('TITLE', u'incident'), ('TITLE', u'duct'), ('TITLE', u'mode'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Lond.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'427'), ('ISSUE', u'1872'), ('YEAR', u'1990'), ('PAGE', u'139'), ('DOI', u'10.1098/rspa.1990.0006'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: The scattering of sound by two semi-infinite parallel staggered plates. II. Evaluation of the velocity potential for an incident plane wave and an incident duct mode. Proc. R. Soc. Lond. A Math. Phys. Sci. 427(1872), 139–171 (1990)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: The scattering of sound by two semi-infinite parallel staggered plates. II. Evaluation of the velocity potential for an incident plane wave and an incident duct mode. Proc. R. Soc. Lond. A Math. Phys. Sci. 427(1872), 139\\u2013171 (1990)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'issueid': u'1872', u'journaltitle': u'Proc. R. Soc. Lond. A Math. Phys. Sci.', u'volumeid': u'427', u'firstpage': u'139', u'lastpage': u'171', u'year': u'1990', u'articletitle': {u'#text': u'The scattering of sound by two semi-infinite parallel staggered plates. II. Evaluation of the velocity potential for an incident plane wave and an incident duct mode', u'@language': u'En'}, u'occurrence': [{u'handle': u'1032983', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.1990.0006', u'@type': u'DOI'}]}, u'citationnumber': u'2.', u'@id': u'CR2'}")], [('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'Acoustic'), ('TITLE', u'scattering'), ('TITLE', u'by'), ('TITLE', u'two'), ('TITLE', u'parallel'), ('TITLE', u'slightly'), ('TITLE', u'staggered'), ('TITLE', u'rigid'), ('TITLE', u'plates'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'12'), ('ISSUE', u'3'), ('YEAR', u'1990'), ('PAGE', u'281'), ('DOI', u'10.1016/0165-2125(90)90044-5'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: Acoustic scattering by two parallel slightly staggered rigid plates. Wave Motion 12(3), 281–297 (1990)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: Acoustic scattering by two parallel slightly staggered rigid plates. Wave Motion 12(3), 281\\u2013297 (1990)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'issueid': u'3', u'journaltitle': u'Wave Motion', u'volumeid': u'12', u'firstpage': u'281', u'lastpage': u'297', u'year': u'1990', u'articletitle': {u'#text': u'Acoustic scattering by two parallel slightly staggered rigid plates', u'@language': u'En'}, u'occurrence': [{u'handle': u'1056278', u'@type': u'AMSID'}, {u'handle': u'10.1016/0165-2125(90)90044-5', u'@type': u'DOI'}]}, u'citationnumber': u'3.', u'@id': u'CR3'}")], [('AUTHOR_FIRST_NAME', u'ID'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('AUTHOR_FIRST_NAME', u'GR'), ('AUTHOR_LAST_NAME', u'Wickham'), ('TITLE', u'General'), ('TITLE', u'WienerHopf'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'matrix'), ('TITLE', u'kernels'), ('TITLE', u'with'), ('TITLE', u'exponential'), ('TITLE', u'phase'), ('TITLE', u'factors'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'50'), ('ISSUE', u'3'), ('YEAR', u'1990'), ('PAGE', u'819'), ('DOI', u'10.1137/0150047'), ('REFPLAINTEXT', u'Abrahams, I.D., Wickham, G.R.: General Wiener–Hopf factorization of matrix kernels with exponential phase factors. SIAM J. Appl. Math. 50(3), 819–838 (1990)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D., Wickham, G.R.: General Wiener\\u2013Hopf factorization of matrix kernels with exponential phase factors. SIAM J. Appl. Math. 50(3), 819\\u2013838 (1990)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abrahams', u'initials': u'ID'}, {u'familyname': u'Wickham', u'initials': u'GR'}], u'issueid': u'3', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'50', u'firstpage': u'819', u'lastpage': u'838', u'year': u'1990', u'articletitle': {u'#text': u'General Wiener\\u2013Hopf factorization of matrix kernels with exponential phase factors', u'@language': u'En'}, u'occurrence': [{u'handle': u'1050914', u'@type': u'AMSID'}, {u'handle': u'10.1137/0150047', u'@type': u'DOI'}]}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('REFPLAINTEXT', u'Noble, B.: Methods Based on the Wiener–Hopf Technique. Pergamon Press, London (1958)'), ('REFSTR', "{u'bibunstructured': u'Noble, B.: Methods Based on the Wiener\\u2013Hopf Technique. Pergamon Press, London (1958)', u'citationnumber': u'5.', u'@id': u'CR5'}")], [('AUTHOR_FIRST_NAME', u'IC'), ('AUTHOR_LAST_NAME', u'Gohberg'), ('AUTHOR_FIRST_NAME', u'MG'), ('AUTHOR_LAST_NAME', u'Krein'), ('TITLE', u'Systems'), ('TITLE', u'of'), ('TITLE', u'integral'), ('TITLE', u'equations'), ('TITLE', u'on'), ('TITLE', u'a'), ('TITLE', u'half'), ('TITLE', u'line'), ('TITLE', u'with'), ('TITLE', u'kernels'), ('TITLE', u'depending'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'difference'), ('TITLE', u'of'), ('TITLE', u'arguments'), ('JOURNAL', u'Am.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Transl.'), ('JOURNAL', u'Ser.'), ('JOURNAL', u'2'), ('VOLUME', u'14'), ('YEAR', u'1960'), ('PAGE', u'217'), ('REFPLAINTEXT', u'Gohberg, I.C., Krein, M.G.: Systems of integral equations on a half line with kernels depending on the difference of arguments. Am. Math. Soc. Transl. Ser. 2 14, 217–287 (1960)'), ('REFSTR', "{u'bibunstructured': u'Gohberg, I.C., Krein, M.G.: Systems of integral equations on a half line with kernels depending on the difference of arguments. Am. Math. Soc. Transl. Ser. 2 14, 217\\u2013287 (1960)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Gohberg', u'initials': u'IC'}, {u'familyname': u'Krein', u'initials': u'MG'}], u'occurrence': {u'handle': u'113114', u'@type': u'AMSID'}, u'journaltitle': u'Am. Math. Soc. Transl. Ser. 2', u'volumeid': u'14', u'firstpage': u'217', u'lastpage': u'287', u'year': u'1960', u'articletitle': {u'#text': u'Systems of integral equations on a half line with kernels depending on the difference of arguments', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")], [('AUTHOR_FIRST_NAME', u'DS'), ('AUTHOR_LAST_NAME', u'Jones'), ('TITLE', u'Factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'WienerHopf'), ('TITLE', u'matrix'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'32'), ('ISSUE', u'1–3'), ('YEAR', u'1984'), ('PAGE', u'211'), ('DOI', u'10.1093/imamat/32.1-3.211'), ('REFPLAINTEXT', u'Jones, D.S.: Factorization of a Wiener–Hopf matrix. IMA J. Appl. Math. 32(1–3), 211–220 (1984)'), ('REFSTR', "{u'bibunstructured': u'Jones, D.S.: Factorization of a Wiener\\u2013Hopf matrix. IMA J. Appl. Math. 32(1\\u20133), 211\\u2013220 (1984)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Jones', u'initials': u'DS'}, u'issueid': u'1\\u20133', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'32', u'firstpage': u'211', u'lastpage': u'220', u'year': u'1984', u'articletitle': {u'#text': u'Factorization of a Wiener\\u2013Hopf matrix', u'@language': u'En'}, u'occurrence': [{u'handle': u'740458', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/32.1-3.211', u'@type': u'DOI'}]}, u'citationnumber': u'7.', u'@id': u'CR7'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'F-O'), ('AUTHOR_LAST_NAME', u'Speck'), ('YEAR', u'2012'), ('PAGE', u'385'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Gohberg'), ('PUBLISHER', u'Anniversary'), ('PUBLISHER', u'Collection.'), ('PUBLISHER', u'Operator'), ('PUBLISHER', u'Theory:'), ('PUBLISHER', u'Advances'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Meister, E., Speck, F.-O.: Wiener–Hopf factorization of certain non-rational matrix functions in mathematical physics. In: Dym, H., Goldberg, S., Kaashoek, M.A., Lancaster, P. (eds.) The Gohberg Anniversary Collection. Operator Theory: Advances and Applications, vol. 41, pp. 385–394. Birkhauser, Basel (2012)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Speck, F.-O.: Wiener\\u2013Hopf factorization of certain non-rational matrix functions in mathematical physics. In: Dym, H., Goldberg, S., Kaashoek, M.A., Lancaster, P. (eds.) The Gohberg Anniversary Collection. Operator Theory: Advances and Applications, vol. 41, pp. 385\\u2013394. Birkhauser, Basel (2012)', u'bibchapter': {u'eds': {u'publisherlocation': u'Basel', u'booktitle': u'The Gohberg Anniversary Collection. Operator Theory: Advances and Applications', u'firstpage': u'385', u'lastpage': u'394', u'numberinseries': u'41', u'publishername': u'Birkhauser'}, u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Speck', u'initials': u'F-O'}], u'chaptertitle': {u'#text': u'Wiener\\u2013Hopf factorization of certain non-rational matrix functions in mathematical physics', u'@language': u'En'}, u'bibeditorname': [{u'familyname': u'Dym', u'initials': u'H'}, {u'familyname': u'Goldberg', u'initials': u'S'}, {u'familyname': u'Kaashoek', u'initials': u'MA'}, {u'familyname': u'Lancaster', u'initials': u'P'}], u'year': u'2012'}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'AE'), ('AUTHOR_LAST_NAME', u'Heins'), ('TITLE', u'The'), ('TITLE', u'scope'), ('TITLE', u'and'), ('TITLE', u'limitations'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'method'), ('TITLE', u'of'), ('TITLE', u'Wiener'), ('TITLE', u'and'), ('TITLE', u'Hopf'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Pure'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'IX'), ('YEAR', u'1956'), ('PAGE', u'447'), ('DOI', u'10.1002/cpa.3160090316'), ('REFPLAINTEXT', u'Heins, A.E.: The scope and limitations of the method of Wiener and Hopf. Commun. Pure Appl. Math. IX, 447–466 (1956)'), ('REFSTR', "{u'bibunstructured': u'Heins, A.E.: The scope and limitations of the method of Wiener and Hopf. Commun. Pure Appl. Math. IX, 447\\u2013466 (1956)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Heins', u'initials': u'AE'}, u'occurrence': [{u'handle': u'81977', u'@type': u'AMSID'}, {u'handle': u'10.1002/cpa.3160090316', u'@type': u'DOI'}], u'journaltitle': u'Commun. Pure Appl. Math.', u'volumeid': u'IX', u'firstpage': u'447', u'lastpage': u'466', u'year': u'1956', u'articletitle': {u'#text': u'The scope and limitations of the method of Wiener and Hopf', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Gohberg'), ('AUTHOR_FIRST_NAME', u'MA'), ('AUTHOR_LAST_NAME', u'Kaashoek'), ('AUTHOR_FIRST_NAME', u'IM'), ('AUTHOR_LAST_NAME', u'Spitkovsky'), ('YEAR', u'2000'), ('PAGE', u'1'), ('PUBLISHER', u'Factorization'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Integrable'), ('PUBLISHER', u'Systems'), ('REFPLAINTEXT', u'Gohberg, I., Kaashoek, M.A., Spitkovsky, I.M.: An overview of matrix factorization theory and operator applications. In: Gohberg, I., Manojlovic, N., dos Santos, A.F. (eds.) Factorization and Integrable Systems, pp. 1–102. Birkhäuser, Basel (2000)'), ('REFSTR', "{u'bibunstructured': u'Gohberg, I., Kaashoek, M.A., Spitkovsky, I.M.: An overview of matrix factorization theory and operator applications. In: Gohberg, I., Manojlovic, N., dos Santos, A.F. (eds.) Factorization and Integrable Systems, pp. 1\\u2013102. Birkh\\xe4user, Basel (2000)', u'bibchapter': {u'eds': {u'publisherlocation': u'Basel', u'booktitle': u'Factorization and Integrable Systems', u'publishername': u'Birkh\\xe4user', u'firstpage': u'1', u'lastpage': u'102'}, u'bibauthorname': [{u'familyname': u'Gohberg', u'initials': u'I'}, {u'familyname': u'Kaashoek', u'initials': u'MA'}, {u'familyname': u'Spitkovsky', u'initials': u'IM'}], u'chaptertitle': {u'#text': u'An overview of matrix factorization theory and operator applications', u'@language': u'En'}, u'bibeditorname': [{u'familyname': u'Gohberg', u'initials': u'I'}, {u'familyname': u'Manojlovic', u'initials': u'N'}, {u'familyname': u'Santos', u'particle': u'dos', u'initials': u'AF'}], u'year': u'2000'}, u'citationnumber': u'10.', u'@id': u'CR10'}")], [('AUTHOR_FIRST_NAME', u'AV'), ('AUTHOR_LAST_NAME', u'Kisil'), ('TITLE', u'An'), ('TITLE', u'iterative'), ('TITLE', u'WienerHopf'), ('TITLE', u'method'), ('TITLE', u'for'), ('TITLE', u'triangular'), ('TITLE', u'matrix'), ('TITLE', u'functions'), ('TITLE', u'with'), ('TITLE', u'exponential'), ('TITLE', u'factors'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'78'), ('ISSUE', u'1'), ('YEAR', u'2018'), ('PAGE', u'45'), ('DOI', u'10.1137/17M1136304'), ('REFPLAINTEXT', u'Kisil, A.V.: An iterative Wiener–Hopf method for triangular matrix functions with exponential factors. SIAM J. Appl. Math. 78(1), 45–62 (2018)'), ('REFSTR', "{u'bibunstructured': u'Kisil, A.V.: An iterative Wiener\\u2013Hopf method for triangular matrix functions with exponential factors. SIAM J. Appl. Math. 78(1), 45\\u201362 (2018)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Kisil', u'initials': u'AV'}, u'issueid': u'1', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'78', u'firstpage': u'45', u'lastpage': u'62', u'year': u'2018', u'articletitle': {u'#text': u'An iterative Wiener\\u2013Hopf method for triangular matrix functions with exponential factors', u'@language': u'En'}, u'occurrence': [{u'handle': u'3742700', u'@type': u'AMSID'}, {u'handle': u'10.1137/17M1136304', u'@type': u'DOI'}]}, u'citationnumber': u'11.', u'@id': u'CR11'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('TITLE', u'Factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'class'), ('TITLE', u'of'), ('TITLE', u'matrix-'), ('TITLE', u'functions'), ('TITLE', u'with'), ('TITLE', u'stable'), ('TITLE', u'partial'), ('TITLE', u'indices'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Methods'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'39'), ('ISSUE', u'13'), ('YEAR', u'2016'), ('PAGE', u'3791'), ('DOI', u'10.1002/mma.3825'), ('REFPLAINTEXT', u'Mishuris, G., Rogosin, S.: Factorization of a class of matrix-functions with stable partial indices. Math. Methods Appl. Sci. 39(13), 3791–3807 (2016)'), ('REFSTR', "{u'bibunstructured': u'Mishuris, G., Rogosin, S.: Factorization of a class of matrix-functions with stable partial indices. Math. Methods Appl. Sci. 39(13), 3791\\u20133807 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mishuris', u'initials': u'G'}, {u'familyname': u'Rogosin', u'initials': u'S'}], u'issueid': u'13', u'journaltitle': u'Math. Methods Appl. Sci.', u'volumeid': u'39', u'firstpage': u'3791', u'lastpage': u'3807', u'year': u'2016', u'articletitle': {u'#text': u'Factorization of a class of matrix-functions with stable partial indices', u'@language': u'En'}, u'occurrence': [{u'handle': u'3529384', u'@type': u'AMSID'}, {u'handle': u'10.1002/mma.3825', u'@type': u'DOI'}]}, u'citationnumber': u'12.', u'@id': u'CR12'}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('TITLE', u'Constructive'), ('TITLE', u'methods'), ('TITLE', u'for'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'matrix-'), ('TITLE', u'functions'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'81'), ('ISSUE', u'2'), ('YEAR', u'2015'), ('PAGE', u'365'), ('DOI', u'10.1093/imamat/hxv038'), ('REFPLAINTEXT', u'Rogosin, S., Mishuris, G.: Constructive methods for factorization of matrix-functions. IMA J. Appl. Math. 81(2), 365–391 (2015)'), ('REFSTR', "{u'bibunstructured': u'Rogosin, S., Mishuris, G.: Constructive methods for factorization of matrix-functions. IMA J. Appl. Math. 81(2), 365\\u2013391 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Rogosin', u'initials': u'S'}, {u'familyname': u'Mishuris', u'initials': u'G'}], u'issueid': u'2', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'81', u'firstpage': u'365', u'lastpage': u'391', u'year': u'2015', u'articletitle': {u'#text': u'Constructive methods for factorization of matrix-functions', u'@language': u'En'}, u'occurrence': [{u'handle': u'3483088', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxv038', u'@type': u'DOI'}]}, u'citationnumber': u'13.', u'@id': u'CR13'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('TITLE', u'Regular'), ('TITLE', u'approximate'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'class'), ('TITLE', u'of'), ('TITLE', u'matrix-'), ('TITLE', u'function'), ('TITLE', u'with'), ('TITLE', u'an'), ('TITLE', u'unstable'), ('TITLE', u'set'), ('TITLE', u'of'), ('TITLE', u'partial'), ('TITLE', u'indices'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'474'), ('ISSUE', u'2209'), ('YEAR', u'2018'), ('PAGE', u'20170279'), ('DOI', u'10.1098/rspa.2017.0279'), ('REFPLAINTEXT', u'Mishuris, G., Rogosin, S.: Regular approximate factorization of a class of matrix-function with an unstable set of partial indices. Proc. R. Soc. A Math. Phys. Eng. Sci. 474(2209), 20170279 (2018)'), ('REFSTR', "{u'bibunstructured': u'Mishuris, G., Rogosin, S.: Regular approximate factorization of a class of matrix-function with an unstable set of partial indices. Proc. R. Soc. A Math. Phys. Eng. Sci. 474(2209), 20170279 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mishuris', u'initials': u'G'}, {u'familyname': u'Rogosin', u'initials': u'S'}], u'issueid': u'2209', u'journaltitle': u'Proc. R. Soc. A Math. Phys. Eng. Sci.', u'volumeid': u'474', u'firstpage': u'20170279', u'year': u'2018', u'articletitle': {u'#text': u'Regular approximate factorization of a class of matrix-function with an unstable set of partial indices', u'@language': u'En'}, u'occurrence': [{u'handle': u'3762905', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.2017.0279', u'@type': u'DOI'}]}, u'citationnumber': u'14.', u'@id': u'CR14'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Mishuris'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Rogosin'), ('TITLE', u'An'), ('TITLE', u'asymptotic'), ('TITLE', u'method'), ('TITLE', u'of'), ('TITLE', u'factorization'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'class'), ('TITLE', u'of'), ('TITLE', u'matrix'), ('TITLE', u'functions'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'470'), ('YEAR', u'2014'), ('PAGE', u'20140109'), ('REFPLAINTEXT', u'Mishuris, G., Rogosin, S.: An asymptotic method of factorization of a class of matrix functions. Proc. R. Soc. A Math. Phys. Eng. Sci. 470, 20140109 (2014)'), ('REFSTR', "{u'bibunstructured': u'Mishuris, G., Rogosin, S.: An asymptotic method of factorization of a class of matrix functions. Proc. R. Soc. A Math. Phys. Eng. Sci. 470, 20140109 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mishuris', u'initials': u'G'}, {u'familyname': u'Rogosin', u'initials': u'S'}], u'occurrence': {u'handle': u'10.1098/rspa.2014.0109', u'@type': u'DOI'}, u'journaltitle': u'Proc. R. Soc. A Math. Phys. Eng. Sci.', u'volumeid': u'470', u'firstpage': u'20140109', u'year': u'2014', u'articletitle': {u'#text': u'An asymptotic method of factorization of a class of matrix functions', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('AUTHOR_FIRST_NAME', u'JD'), ('AUTHOR_LAST_NAME', u'Achenbach'), ('YEAR', u'2012'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Propagation'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Solids.'), ('PUBLISHER', u'North-'), ('PUBLISHER', u'Holland'), ('PUBLISHER', u'Series'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Applied'), ('PUBLISHER', u'Mathematics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mechanics'), ('VOLUME', u'1'), ('REFPLAINTEXT', u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North-Holland Series in Applied Mathematics and Mechanics, vol. 16, 1st edn. North-Holland Publishing Co., Amsterdam (2012)'), ('REFSTR', "{u'bibunstructured': u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North-Holland Series in Applied Mathematics and Mechanics, vol. 16, 1st edn. North-Holland Publishing Co., Amsterdam (2012)', u'citationnumber': u'16.', u'@id': u'CR16', u'bibbook': {u'bibauthorname': {u'familyname': u'Achenbach', u'initials': u'JD'}, u'publishername': u'North-Holland Publishing Co.', u'booktitle': u'Wave Propagation in Elastic Solids. North-Holland Series in Applied Mathematics and Mechanics', u'year': u'2012', u'numberinseries': u'16', u'editionnumber': u'1', u'publisherlocation': u'Amsterdam'}}")], [('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Miklowitz'), ('YEAR', u'2012'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Waveguides.'), ('PUBLISHER', u'North-'), ('PUBLISHER', u'Holland'), ('PUBLISHER', u'Series'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Applied'), ('PUBLISHER', u'Mathematics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mechanics'), ('REFPLAINTEXT', u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North-Holland Series in Applied Mathematics and Mechanics, vol. 22. North-Holland Publishing Co., Amsterdam (2012)'), ('REFSTR', "{u'bibunstructured': u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North-Holland Series in Applied Mathematics and Mechanics, vol. 22. North-Holland Publishing Co., Amsterdam (2012)', u'citationnumber': u'17.', u'@id': u'CR17', u'bibbook': {u'bibauthorname': {u'familyname': u'Miklowitz', u'initials': u'J'}, u'publisherlocation': u'Amsterdam', u'booktitle': u'The Theory of Elastic Waves and Waveguides. North-Holland Series in Applied Mathematics and Mechanics', u'year': u'2012', u'numberinseries': u'22', u'publishername': u'North-Holland Publishing Co.'}}")], [('AUTHOR_FIRST_NAME', u'I.David'), ('AUTHOR_LAST_NAME', u'Abrahams'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'application'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'WienerHopf'), ('TITLE', u'technique'), ('TITLE', u'to'), ('TITLE', u'problems'), ('TITLE', u'in'), ('TITLE', u'dynamic'), ('TITLE', u'elasticity'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'36'), ('ISSUE', u'4'), ('YEAR', u'2002'), ('PAGE', u'311'), ('DOI', u'10.1016/S0165-2125(02)00027-6'), ('REFPLAINTEXT', u'Abrahams, I.D.: On the application of the Wiener–Hopf technique to problems in dynamic elasticity. Wave Motion 36(4), 311–333 (2002)'), ('REFSTR', "{u'bibunstructured': u'Abrahams, I.D.: On the application of the Wiener\\u2013Hopf technique to problems in dynamic elasticity. Wave Motion 36(4), 311\\u2013333 (2002)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Abrahams', u'initials': u'I.David'}, u'issueid': u'4', u'journaltitle': u'Wave Motion', u'volumeid': u'36', u'firstpage': u'311', u'lastpage': u'333', u'year': u'2002', u'articletitle': {u'#text': u'On the application of the Wiener\\u2013Hopf technique to problems in dynamic elasticity', u'@language': u'En'}, u'occurrence': [{u'handle': u'1950990', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0165-2125(02)00027-6', u'@type': u'DOI'}]}, u'citationnumber': u'18.', u'@id': u'CR18'}")], [('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Diffraction'), ('TITLE', u'of'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'75'), ('ISSUE', u'3'), ('YEAR', u'2015'), ('PAGE', u'1171'), ('DOI', u'10.1137/140985093'), ('REFPLAINTEXT', u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite crack. SIAM J. Appl. Math. 75(3), 1171–1192 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite crack. SIAM J. Appl. Math. 75(3), 1171\\u20131192 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'3', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'75', u'firstpage': u'1171', u'lastpage': u'1192', u'year': u'2015', u'articletitle': {u'#text': u'Diffraction of waves on square lattice by semi-infinite crack', u'@language': u'En'}, u'occurrence': [{u'handle': u'3355779', u'@type': u'AMSID'}, {u'handle': u'10.1137/140985093', u'@type': u'DOI'}]}, u'citationnumber': u'19.', u'@id': u'CR19'}")], [('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Near-'), ('TITLE', u'tip'), ('TITLE', u'field'), ('TITLE', u'for'), ('TITLE', u'diffraction'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'crack'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'75'), ('ISSUE', u'4'), ('YEAR', u'2015'), ('PAGE', u'1915'), ('DOI', u'10.1137/15M1010646'), ('REFPLAINTEXT', u'Sharma, B.L.: Near-tip field for diffraction on square lattice by crack. SIAM J. Appl. Math. 75(4), 1915–1940 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Near-tip field for diffraction on square lattice by crack. SIAM J. Appl. Math. 75(4), 1915\\u20131940 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'4', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'75', u'firstpage': u'1915', u'lastpage': u'1940', u'year': u'2015', u'articletitle': {u'#text': u'Near-tip field for diffraction on square lattice by crack', u'@language': u'En'}, u'occurrence': [{u'handle': u'3390158', u'@type': u'AMSID'}, {u'handle': u'10.1137/15M1010646', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")], [('AUTHOR_FIRST_NAME', u'LI'), ('AUTHOR_LAST_NAME', u'Slepyan'), ('YEAR', u'2002'), ('PUBLISHER', u'Models'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Phenomena'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Fracture'), ('PUBLISHER', u'Mechanics'), ('REFPLAINTEXT', u'Slepyan, L.I.: Models and Phenomena in Fracture Mechanics. Springer, Berlin (2002)'), ('REFSTR', "{u'bibunstructured': u'Slepyan, L.I.: Models and Phenomena in Fracture Mechanics. Springer, Berlin (2002)', u'citationnumber': u'21.', u'@id': u'CR21', u'bibbook': {u'bibauthorname': {u'familyname': u'Slepyan', u'initials': u'LI'}, u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/978-3-540-48010-5', u'@type': u'DOI'}, u'booktitle': u'Models and Phenomena in Fracture Mechanics', u'year': u'2002', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Rottbrand'), ('TITLE', u'Elastodynamical'), ('TITLE', u'scattering'), ('TITLE', u'by'), ('TITLE', u'N'), ('TITLE', u'parallel'), ('TITLE', u'half-'), ('TITLE', u'planes'), ('TITLE', u'in'), ('TITLE', u'{'), ('TITLE', u'R}^3'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Nachrichten'), ('VOLUME', u'177'), ('YEAR', u'1996'), ('PAGE', u'189'), ('DOI', u'10.1002/mana.19961770112'), ('REFPLAINTEXT', u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3. Math. Nachrichten 177, 189–232 (1996)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3. Math. Nachrichten 177, 189\\u2013232 (1996)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Rottbrand', u'initials': u'K'}], u'occurrence': [{u'handle': u'1374950', u'@type': u'AMSID'}, {u'handle': u'10.1002/mana.19961770112', u'@type': u'DOI'}], u'journaltitle': u'Math. Nachrichten', u'volumeid': u'177', u'firstpage': u'189', u'lastpage': u'232', u'year': u'1996', u'articletitle': {u'#text': u'Elastodynamical scattering by N parallel half-planes in { R}^3', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Rottbrand'), ('TITLE', u'Elastodynamical'), ('TITLE', u'scattering'), ('TITLE', u'by'), ('TITLE', u'N'), ('TITLE', u'parallel'), ('TITLE', u'half-'), ('TITLE', u'planes'), ('TITLE', u'in'), ('TITLE', u'{'), ('TITLE', u'R}^3'), ('TITLE', u'II'), ('TITLE', u'Explicit'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'N=2'), ('TITLE', u'by'), ('TITLE', u'explicit'), ('TITLE', u'symbol'), ('TITLE', u'factorization'), ('JOURNAL', u'Integral'), ('JOURNAL', u'Equ.'), ('JOURNAL', u'Oper.'), ('JOURNAL', u'Theory'), ('VOLUME', u'29'), ('ISSUE', u'1'), ('YEAR', u'1997'), ('PAGE', u'70'), ('REFPLAINTEXT', u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3 II Explicit solutions for N=2 by explicit symbol factorization. Integral Equ. Oper. Theory 29(1), 70–109 (1997)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Rottbrand, K.: Elastodynamical scattering by N parallel half-planes in { R}^3 II Explicit solutions for N=2 by explicit symbol factorization. Integral Equ. Oper. Theory 29(1), 70\\u2013109 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Rottbrand', u'initials': u'K'}], u'issueid': u'1', u'journaltitle': u'Integral Equ. Oper. Theory', u'volumeid': u'29', u'firstpage': u'70', u'lastpage': u'109', u'year': u'1997', u'articletitle': {u'#text': u'Elastodynamical scattering by N parallel half-planes in { R}^3 II Explicit solutions for N=2 by explicit symbol factorization', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1007/BF01191481', u'@type': u'DOI'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Meister'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Rottbrand'), ('AUTHOR_FIRST_NAME', u'F-O'), ('AUTHOR_LAST_NAME', u'Speck'), ('TITLE', u'WienerHopf'), ('TITLE', u'equations'), ('TITLE', u'for'), ('TITLE', u'waves'), ('TITLE', u'scattered'), ('TITLE', u'by'), ('TITLE', u'a'), ('TITLE', u'system'), ('TITLE', u'of'), ('TITLE', u'parallel'), ('TITLE', u'Sommerfeld'), ('TITLE', u'half-'), ('TITLE', u'planes'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Methods'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'14'), ('ISSUE', u'8'), ('YEAR', u'1991'), ('PAGE', u'525'), ('DOI', u'10.1002/mma.1670140802'), ('REFPLAINTEXT', u'Meister, E., Rottbrand, K., Speck, F.-O.: Wiener–Hopf equations for waves scattered by a system of parallel Sommerfeld half-planes. Math. Methods Appl. Sci. 14(8), 525–552 (1991)'), ('REFSTR', "{u'bibunstructured': u'Meister, E., Rottbrand, K., Speck, F.-O.: Wiener\\u2013Hopf equations for waves scattered by a system of parallel Sommerfeld half-planes. Math. Methods Appl. Sci. 14(8), 525\\u2013552 (1991)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meister', u'initials': u'E'}, {u'familyname': u'Rottbrand', u'initials': u'K'}, {u'familyname': u'Speck', u'initials': u'F-O'}], u'issueid': u'8', u'journaltitle': u'Math. Methods Appl. Sci.', u'volumeid': u'14', u'firstpage': u'525', u'lastpage': u'552', u'year': u'1991', u'articletitle': {u'#text': u'Wiener\\u2013Hopf equations for waves scattered by a system of parallel Sommerfeld half-planes', u'@language': u'En'}, u'occurrence': [{u'handle': u'1129187', u'@type': u'AMSID'}, {u'handle': u'10.1002/mma.1670140802', u'@type': u'DOI'}]}, u'citationnumber': u'24.', u'@id': u'CR24'}")], [('AUTHOR_FIRST_NAME', u'EI'), ('AUTHOR_LAST_NAME', u'Jury'), ('YEAR', u'1964'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Application'), ('PUBLISHER', u'of'), ('PUBLISHER', u'the'), ('PUBLISHER', u'z-'), ('PUBLISHER', u'Transform'), ('PUBLISHER', u'Method'), ('REFPLAINTEXT', u'Jury, E.I.: Theory and Application of the z-Transform Method. Wiley, New York (1964)'), ('REFSTR', "{u'bibunstructured': u'Jury, E.I.: Theory and Application of the z-Transform Method. Wiley, New York (1964)', u'citationnumber': u'25.', u'@id': u'CR25', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Jury', u'initials': u'EI'}, u'publishername': u'Wiley', u'booktitle': u'Theory and Application of the z-Transform Method', u'year': u'1964'}}")], [('AUTHOR_FIRST_NAME', u'VG'), ('AUTHOR_LAST_NAME', u'Daniele'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'solution'), ('TITLE', u'of'), ('TITLE', u'two'), ('TITLE', u'coupled'), ('TITLE', u'WienerHopf'), ('TITLE', u'equations'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'44'), ('ISSUE', u'4'), ('YEAR', u'1984'), ('PAGE', u'667'), ('DOI', u'10.1137/0144048'), ('REFPLAINTEXT', u'Daniele, V.G.: On the solution of two coupled Wiener–Hopf equations. SIAM J. Appl. Math. 44(4), 667–680 (1984)'), ('REFSTR', "{u'bibunstructured': u'Daniele, V.G.: On the solution of two coupled Wiener\\u2013Hopf equations. SIAM J. Appl. Math. 44(4), 667\\u2013680 (1984)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Daniele', u'initials': u'VG'}, u'issueid': u'4', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'44', u'firstpage': u'667', u'lastpage': u'680', u'year': u'1984', u'articletitle': {u'#text': u'On the solution of two coupled Wiener\\u2013Hopf equations', u'@language': u'En'}, u'occurrence': [{u'handle': u'750942', u'@type': u'AMSID'}, {u'handle': u'10.1137/0144048', u'@type': u'DOI'}]}, u'citationnumber': u'26.', u'@id': u'CR26'}")], [('REFPLAINTEXT', u'Maurya, G.: On some problems involving multiple scattering due to edges, PhD Dissertation, Indian Institute of Technology Kanpur (2018)'), ('REFSTR', "{u'bibunstructured': u'Maurya, G.: On some problems involving multiple scattering due to edges, PhD Dissertation, Indian Institute of Technology Kanpur (2018)', u'citationnumber': u'27.', u'@id': u'CR27'}")], [('REFPLAINTEXT', u'Sharma, B.L., Maurya, G.: Discrete scattering by a pair of parallel defects. Philos. Trans. R. Soc. A: Math. Phys. Eng. Sci. (2019).'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Sharma, B.L., Maurya, G.: Discrete scattering by a pair of parallel defects. Philos. Trans. R. Soc. A: Math. Phys. Eng. Sci. (2019).', u'externalref': {u'refsource': u'https://doi.org/10.1098/rsta.2019.0102', u'reftarget': {u'@address': u'10.1098/rsta.2019.0102', u'@targettype': u'DOI'}}}, u'citationnumber': u'28.', u'@id': u'CR28'}")], [('AUTHOR_FIRST_NAME', u'AE'), ('AUTHOR_LAST_NAME', u'Heins'), ('TITLE', u'The'), ('TITLE', u'radiation'), ('TITLE', u'and'), ('TITLE', u'transmission'), ('TITLE', u'properties'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'pair'), ('TITLE', u'of'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'plates.'), ('TITLE', u'I'), ('JOURNAL', u'Q.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'6'), ('YEAR', u'1948'), ('PAGE', u'157'), ('DOI', u'10.1090/qam/25981'), ('REFPLAINTEXT', u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. I. Q. Appl. Math. 6, 157–166 (1948)'), ('REFSTR', "{u'bibunstructured': u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. I. Q. Appl. Math. 6, 157\\u2013166 (1948)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Heins', u'initials': u'AE'}, u'occurrence': [{u'handle': u'25981', u'@type': u'AMSID'}, {u'handle': u'10.1090/qam/25981', u'@type': u'DOI'}], u'journaltitle': u'Q. Appl. Math.', u'volumeid': u'6', u'firstpage': u'157', u'lastpage': u'166', u'year': u'1948', u'articletitle': {u'#text': u'The radiation and transmission properties of a pair of semi-infinite parallel plates. I', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")], [('AUTHOR_FIRST_NAME', u'AE'), ('AUTHOR_LAST_NAME', u'Heins'), ('TITLE', u'The'), ('TITLE', u'radiation'), ('TITLE', u'and'), ('TITLE', u'transmission'), ('TITLE', u'properties'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'pair'), ('TITLE', u'of'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'parallel'), ('TITLE', u'plates.'), ('TITLE', u'II'), ('JOURNAL', u'Q.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'6'), ('YEAR', u'1948'), ('PAGE', u'215'), ('REFPLAINTEXT', u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. II. Q. Appl. Math. 6, 215–220 (1948)'), ('REFSTR', "{u'bibunstructured': u'Heins, A.E.: The radiation and transmission properties of a pair of semi-infinite parallel plates. II. Q. Appl. Math. 6, 215\\u2013220 (1948)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Heins', u'initials': u'AE'}, u'occurrence': {u'handle': u'10.1090/qam/26922', u'@type': u'DOI'}, u'journaltitle': u'Q. Appl. Math.', u'volumeid': u'6', u'firstpage': u'215', u'lastpage': u'220', u'year': u'1948', u'articletitle': {u'#text': u'The radiation and transmission properties of a pair of semi-infinite parallel plates. II', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")], [('AUTHOR_FIRST_NAME', u'MJ'), ('AUTHOR_LAST_NAME', u'Ablowitz'), ('AUTHOR_FIRST_NAME', u'AS'), ('AUTHOR_LAST_NAME', u'Fokas'), ('YEAR', u'2003'), ('PUBLISHER', u'Complex'), ('PUBLISHER', u'Variables:'), ('PUBLISHER', u'Introduction'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications.'), ('PUBLISHER', u'Cambridge'), ('PUBLISHER', u'Texts'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Applied'), ('PUBLISHER', u'Mathematics'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'Ablowitz, M.J., Fokas, A.S.: Complex Variables: Introduction and Applications. Cambridge Texts in Applied Mathematics, 2nd edn. Cambridge University Press, Cambridge (2003)'), ('REFSTR', "{u'bibunstructured': u'Ablowitz, M.J., Fokas, A.S.: Complex Variables: Introduction and Applications. Cambridge Texts in Applied Mathematics, 2nd edn. Cambridge University Press, Cambridge (2003)', u'citationnumber': u'31.', u'@id': u'CR31', u'bibbook': {u'bibauthorname': [{u'familyname': u'Ablowitz', u'initials': u'MJ'}, {u'familyname': u'Fokas', u'initials': u'AS'}], u'publisherlocation': u'Cambridge', u'occurrence': {u'handle': u'10.1017/CBO9780511791246', u'@type': u'DOI'}, u'booktitle': u'Complex Variables: Introduction and Applications. Cambridge Texts in Applied Mathematics', u'year': u'2003', u'editionnumber': u'2', u'publishername': u'Cambridge University Press'}}")], [('AUTHOR_FIRST_NAME', u'LB'), ('AUTHOR_LAST_NAME', u'Felsen'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Marcuvitz'), ('YEAR', u'1973'), ('PUBLISHER', u'Radiation'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Scattering'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Waves.'), ('PUBLISHER', u'Microwaves'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Fields'), ('PUBLISHER', u'Series'), ('REFPLAINTEXT', u'Felsen, L.B., Marcuvitz, N.: Radiation and Scattering of Waves. Microwaves and Fields Series. Prentice-Hall, Inc., Englewood Cliffs (1973)'), ('REFSTR', "{u'bibunstructured': u'Felsen, L.B., Marcuvitz, N.: Radiation and Scattering of Waves. Microwaves and Fields Series. Prentice-Hall, Inc., Englewood Cliffs (1973)', u'citationnumber': u'32.', u'@id': u'CR32', u'bibbook': {u'publisherlocation': u'Englewood Cliffs', u'bibauthorname': [{u'familyname': u'Felsen', u'initials': u'LB'}, {u'familyname': u'Marcuvitz', u'initials': u'N'}], u'publishername': u'Prentice-Hall, Inc.', u'booktitle': u'Radiation and Scattering of Waves. Microwaves and Fields Series', u'year': u'1973'}}")], [('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Continuum'), ('TITLE', u'limit'), ('TITLE', u'of'), ('TITLE', u'discrete'), ('TITLE', u'Sommerfeld'), ('TITLE', u'problems'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('JOURNAL', u'S&amacrdhan&amacr'), ('VOLUME', u'42'), ('ISSUE', u'5'), ('YEAR', u'2007'), ('PAGE', u'713'), ('REFPLAINTEXT', u'Sharma, B.L.: Continuum limit of discrete Sommerfeld problems on square lattice. S&amacrdhan&amacr 42(5), 713–728 (2007)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Continuum limit of discrete Sommerfeld problems on square lattice. S&amacrdhan&amacr 42(5), 713\\u2013728 (2007)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'5', u'journaltitle': u'S&amacrdhan&amacr', u'volumeid': u'42', u'firstpage': u'713', u'lastpage': u'728', u'year': u'2007', u'articletitle': {u'#text': u'Continuum limit of discrete Sommerfeld problems on square lattice', u'@language': u'En'}, u'occurrence': [{u'handle': u'3659067', u'@type': u'AMSID'}, {u'handle': u'1381.35169', u'@type': u'ZLBID'}]}, u'citationnumber': u'33.', u'@id': u'CR33'}")], [('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Brillouin'), ('YEAR', u'1946'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Propagation'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Periodic'), ('PUBLISHER', u'Structures'), ('REFPLAINTEXT', u'Brillouin, L.: Wave Propagation in Periodic Structures. Electric Filters and Crystal Lattices. McGraw-Hill Book Company Inc., New York (1946)'), ('REFSTR', "{u'bibunstructured': u'Brillouin, L.: Wave Propagation in Periodic Structures. Electric Filters and Crystal Lattices. McGraw-Hill Book Company Inc., New York (1946)', u'citationnumber': u'34.', u'@id': u'CR34', u'bibbook': {u'bibauthorname': {u'familyname': u'Brillouin', u'initials': u'L'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0063.00607', u'@type': u'ZLBID'}, u'booktitle': u'Wave Propagation in Periodic Structures', u'year': u'1946', u'publishername': u'Electric Filters and Crystal Lattices. McGraw-Hill Book Company Inc.'}}")], [('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Near-'), ('TITLE', u'tip'), ('TITLE', u'field'), ('TITLE', u'for'), ('TITLE', u'diffraction'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'rigid'), ('TITLE', u'constraint'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('ISSUE', u'5'), ('YEAR', u'2015'), ('PAGE', u'2719'), ('DOI', u'10.1007/s00033-015-0508-z'), ('REFPLAINTEXT', u'Sharma, B.L.: Near-tip field for diffraction on square lattice by rigid constraint. Z. Angew. Math. Phys. 66(5), 2719–2740 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Near-tip field for diffraction on square lattice by rigid constraint. Z. Angew. Math. Phys. 66(5), 2719\\u20132740 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'5', u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'2719', u'lastpage': u'2740', u'year': u'2015', u'articletitle': {u'#text': u'Near-tip field for diffraction on square lattice by rigid constraint', u'@language': u'En'}, u'occurrence': [{u'handle': u'3412320', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-015-0508-z', u'@type': u'DOI'}]}, u'citationnumber': u'35.', u'@id': u'CR35'}")], [('AUTHOR_FIRST_NAME', u'CJ'), ('AUTHOR_LAST_NAME', u'Bouwkamp'), ('TITLE', u'Diffraction'), ('TITLE', u'theory'), ('JOURNAL', u'Rep.'), ('JOURNAL', u'Prog.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'17'), ('YEAR', u'1954'), ('PAGE', u'35'), ('DOI', u'10.1088/0034-4885/17/1/302'), ('REFPLAINTEXT', u'Bouwkamp, C.J.: Diffraction theory. Rep. Prog. Phys. 17, 35–100 (1954)'), ('REFSTR', "{u'bibunstructured': u'Bouwkamp, C.J.: Diffraction theory. Rep. Prog. Phys. 17, 35\\u2013100 (1954)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Bouwkamp', u'initials': u'CJ'}, u'occurrence': [{u'handle': u'63923', u'@type': u'AMSID'}, {u'handle': u'10.1088/0034-4885/17/1/302', u'@type': u'DOI'}], u'journaltitle': u'Rep. Prog. Phys.', u'volumeid': u'17', u'firstpage': u'35', u'lastpage': u'100', u'year': u'1954', u'articletitle': {u'#text': u'Diffraction theory', u'@language': u'En'}}, u'citationnumber': u'36.', u'@id': u'CR36'}")], [('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Diffraction'), ('TITLE', u'of'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'by'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'rigid'), ('TITLE', u'constraint'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'59'), ('YEAR', u'2015'), ('PAGE', u'52'), ('DOI', u'10.1016/j.wavemoti.2015.07.008'), ('REFPLAINTEXT', u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite rigid constraint. Wave Motion 59, 52–68 (2015)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Diffraction of waves on square lattice by semi-infinite rigid constraint. Wave Motion 59, 52\\u201368 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'occurrence': [{u'handle': u'3411196', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.wavemoti.2015.07.008', u'@type': u'DOI'}], u'journaltitle': u'Wave Motion', u'volumeid': u'59', u'firstpage': u'52', u'lastpage': u'68', u'year': u'2015', u'articletitle': {u'#text': u'Diffraction of waves on square lattice by semi-infinite rigid constraint', u'@language': u'En'}}, u'citationnumber': u'37.', u'@id': u'CR37'}")], [('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Levy'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Lessman'), ('YEAR', u'1993'), ('PUBLISHER', u'Finite'), ('PUBLISHER', u'Difference'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Levy, H., Lessman, F.: Finite Difference Equations. Dover Publications Inc, New York (1993). Reprint of the 1961 edition'), ('REFSTR', "{u'bibunstructured': u'Levy, H., Lessman, F.: Finite Difference Equations. Dover Publications Inc, New York (1993). Reprint of the 1961 edition', u'citationnumber': u'38.', u'@id': u'CR38', u'bibbook': {u'bibauthorname': [{u'familyname': u'Levy', u'initials': u'H'}, {u'familyname': u'Lessman', u'initials': u'F'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0092.07702', u'@type': u'ZLBID'}, u'booktitle': u'Finite Difference Equations', u'bibcomments': u'Reprint of the 1961 edition', u'year': u'1993', u'publishername': u'Dover Publications Inc'}}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Elaydi'), ('YEAR', u'2005'), ('PUBLISHER', u'An'), ('PUBLISHER', u'Introduction'), ('PUBLISHER', u'to'), ('PUBLISHER', u'Difference'), ('PUBLISHER', u'Equations'), ('VOLUME', u'3'), ('REFPLAINTEXT', u'Elaydi, S.: An Introduction to Difference Equations, 3rd edn. Springer, New York (2005)'), ('REFSTR', "{u'bibunstructured': u'Elaydi, S.: An Introduction to Difference Equations, 3rd edn. Springer, New York (2005)', u'citationnumber': u'39.', u'@id': u'CR39', u'bibbook': {u'bibauthorname': {u'familyname': u'Elaydi', u'initials': u'S'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'1071.39001', u'@type': u'ZLBID'}, u'booktitle': u'An Introduction to Difference Equations', u'year': u'2005', u'editionnumber': u'3', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Bttcher'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Silbermann'), ('YEAR', u'2006'), ('PUBLISHER', u'Analysis'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Toeplitz'), ('PUBLISHER', u'Operators'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'Böttcher, A., Silbermann, B.: Analysis of Toeplitz Operators, 2nd edn. Springer, Berlin (2006)'), ('REFSTR', "{u'bibunstructured': u'B\\xf6ttcher, A., Silbermann, B.: Analysis of Toeplitz Operators, 2nd edn. Springer, Berlin (2006)', u'citationnumber': u'40.', u'@id': u'CR40', u'bibbook': {u'bibauthorname': [{u'familyname': u'B\\xf6ttcher', u'initials': u'A'}, {u'familyname': u'Silbermann', u'initials': u'B'}], u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'1098.47002', u'@type': u'ZLBID'}, u'booktitle': u'Analysis of Toeplitz Operators', u'year': u'2006', u'editionnumber': u'2', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'LC'), ('AUTHOR_LAST_NAME', u'Evans'), ('YEAR', u'2010'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations.'), ('PUBLISHER', u'Graduate'), ('PUBLISHER', u'Studies'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Mathematics'), ('VOLUME', u'2'), ('REFPLAINTEXT', u'Evans, L.C.: Partial Differential Equations. Graduate Studies in Mathematics, vol. 19, 2nd edn. American Mathematical Society, Providence (2010)'), ('REFSTR', "{u'bibunstructured': u'Evans, L.C.: Partial Differential Equations. Graduate Studies in Mathematics, vol. 19, 2nd edn. American Mathematical Society, Providence (2010)', u'citationnumber': u'41.', u'@id': u'CR41', u'bibbook': {u'bibauthorname': {u'familyname': u'Evans', u'initials': u'LC'}, u'publishername': u'American Mathematical Society', u'booktitle': u'Partial Differential Equations. Graduate Studies in Mathematics', u'year': u'2010', u'numberinseries': u'19', u'editionnumber': u'2', u'publisherlocation': u'Providence'}}")], [('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Gilbarg'), ('AUTHOR_FIRST_NAME', u'NS'), ('AUTHOR_LAST_NAME', u'Trudinger'), ('YEAR', u'1983'), ('PUBLISHER', u'Elliptic'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Second'), ('PUBLISHER', u'Order'), ('PUBLISHER', u'Classics'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Mathematics'), ('REFPLAINTEXT', u'Gilbarg, D., Trudinger, N.S.: Elliptic Partial Differential Equations of Second Order Classics in Mathematics. Springer, Berlin (1983). Reprint of the 1998 edition'), ('REFSTR', "{u'bibunstructured': u'Gilbarg, D., Trudinger, N.S.: Elliptic Partial Differential Equations of Second Order Classics in Mathematics. Springer, Berlin (1983). Reprint of the 1998 edition', u'citationnumber': u'42.', u'@id': u'CR42', u'bibbook': {u'bibauthorname': [{u'familyname': u'Gilbarg', u'initials': u'D'}, {u'familyname': u'Trudinger', u'initials': u'NS'}], u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/978-3-642-61798-0', u'@type': u'DOI'}, u'booktitle': u'Elliptic Partial Differential Equations of Second Order Classics in Mathematics', u'bibcomments': u'Reprint of the 1998 edition', u'year': u'1983', u'publishername': u'Springer'}}")], [('YEAR', u'1986'), ('PUBLISHER', u'Constructive'), ('PUBLISHER', u'Methods'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Wiener–Hopf'), ('PUBLISHER', u'Factorization.'), ('PUBLISHER', u'Operator'), ('PUBLISHER', u'Theory:'), ('PUBLISHER', u'Advances'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Gohberg, I., Kaashoek, M.A. (eds.): Constructive Methods of Wiener–Hopf Factorization. Operator Theory: Advances and Applications, vol. 21. Birkhäuser Verlag, Basel (1986)'), ('REFSTR', "{u'bibunstructured': u'Gohberg, I., Kaashoek, M.A. (eds.): Constructive Methods of Wiener\\u2013Hopf Factorization. Operator Theory: Advances and Applications, vol. 21. Birkh\\xe4user Verlag, Basel (1986)', u'citationnumber': u'43.', u'@id': u'CR43', u'bibbook': {u'eds': {u'publisherlocation': u'Basel', u'booktitle': u'Constructive Methods of Wiener\\u2013Hopf Factorization. Operator Theory: Advances and Applications', u'numberinseries': u'21', u'publishername': u'Birkh\\xe4user Verlag', u'year': u'1986'}, u'bibeditorname': [{u'familyname': u'Gohberg', u'initials': u'I'}, {u'familyname': u'Kaashoek', u'initials': u'MA'}]}}")], [('REFPLAINTEXT', u'Gakhov, F.D.: Boundary Value Problems. Dover Publications, Inc., New York. Translated from the Russian, Reprint of the 1966 translation'), ('REFSTR', "{u'bibunstructured': u'Gakhov, F.D.: Boundary Value Problems. Dover Publications, Inc., New York. Translated from the Russian, Reprint of the 1966 translation', u'citationnumber': u'44.', u'@id': u'CR44'}")], [('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Mitra'), ('AUTHOR_FIRST_NAME', u'SW'), ('AUTHOR_LAST_NAME', u'Lee'), ('YEAR', u'1971'), ('PUBLISHER', u'Analytical'), ('PUBLISHER', u'Techniques'), ('PUBLISHER', u'in'), ('PUBLISHER', u'the'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Guided'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Mitra, R., Lee, S.W.: Analytical Techniques in the Theory of Guided Waves. Macmillan, New York (1971)'), ('REFSTR', "{u'bibunstructured': u'Mitra, R., Lee, S.W.: Analytical Techniques in the Theory of Guided Waves. Macmillan, New York (1971)', u'citationnumber': u'45.', u'@id': u'CR45', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': [{u'familyname': u'Mitra', u'initials': u'R'}, {u'familyname': u'Lee', u'initials': u'SW'}], u'publishername': u'Macmillan', u'booktitle': u'Analytical Techniques in the Theory of Guided Waves', u'year': u'1971'}}")], [('AUTHOR_FIRST_NAME', u'JG'), ('AUTHOR_LAST_NAME', u'Harris'), ('YEAR', u'2001'), ('PUBLISHER', u'Linear'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Harris, J.G.: Linear Elastic Waves, vol. 26. Cambridge University Press, Cambridge (2001)'), ('REFSTR', "{u'bibunstructured': u'Harris, J.G.: Linear Elastic Waves, vol. 26. Cambridge University Press, Cambridge (2001)', u'citationnumber': u'46.', u'@id': u'CR46', u'bibbook': {u'bibauthorname': {u'familyname': u'Harris', u'initials': u'JG'}, u'publisherlocation': u'Cambridge', u'occurrence': {u'handle': u'10.1017/CBO9780511755415', u'@type': u'DOI'}, u'booktitle': u'Linear Elastic Waves', u'year': u'2001', u'numberinseries': u'26', u'publishername': u'Cambridge University Press'}}")], [('REFPLAINTEXT', u'Collatz, L.: The Numerical Treatment of Differential Equations, 3d edn. Translated from a supplemented version of the 2d German edition by P. G. Williams. Die Grundlehren der mathematischen Wissenschaften, Bd. 60. Springer, Berlin-Göttingen-Heidelberg'), ('REFSTR', "{u'bibunstructured': u'Collatz, L.: The Numerical Treatment of Differential Equations, 3d edn. Translated from a supplemented version of the 2d German edition by P. G. Williams. Die Grundlehren der mathematischen Wissenschaften, Bd. 60. Springer, Berlin-G\\xf6ttingen-Heidelberg', u'citationnumber': u'47.', u'@id': u'CR47'}")], [('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Mason'), ('AUTHOR_FIRST_NAME', u'DC'), ('AUTHOR_LAST_NAME', u'Handscomb'), ('YEAR', u'2002'), ('PUBLISHER', u'Chebyshev'), ('PUBLISHER', u'Polynomials'), ('REFPLAINTEXT', u'Mason, J.C., Handscomb, D.C.: Chebyshev Polynomials. Chapman & Hall, Boca Raton (2002)'), ('REFSTR', "{u'bibunstructured': u'Mason, J.C., Handscomb, D.C.: Chebyshev Polynomials. Chapman & Hall, Boca Raton (2002)', u'citationnumber': u'48.', u'@id': u'CR48', u'bibbook': {u'bibauthorname': [{u'familyname': u'Mason', u'initials': u'JC'}, {u'familyname': u'Handscomb', u'initials': u'DC'}], u'publisherlocation': u'Boca Raton', u'occurrence': {u'handle': u'10.1201/9781420036114', u'@type': u'DOI'}, u'booktitle': u'Chebyshev Polynomials', u'year': u'2002', u'publishername': u'Chapman & Hall'}}")], [('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'On'), ('TITLE', u'linear'), ('TITLE', u'waveguides'), ('TITLE', u'of'), ('TITLE', u'square'), ('TITLE', u'and'), ('TITLE', u'triangular'), ('TITLE', u'lattice'), ('TITLE', u'strips:'), ('TITLE', u'an'), ('TITLE', u'application'), ('TITLE', u'of'), ('TITLE', u'Chebyshev'), ('TITLE', u'polynomials'), ('JOURNAL', u'S&amacrdhan&amacr'), ('VOLUME', u'42'), ('ISSUE', u'6'), ('YEAR', u'2017'), ('PAGE', u'901'), ('REFPLAINTEXT', u'Sharma, B.L.: On linear waveguides of square and triangular lattice strips: an application of Chebyshev polynomials. S&amacrdhan&amacr 42(6), 901–927 (2017)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: On linear waveguides of square and triangular lattice strips: an application of Chebyshev polynomials. S&amacrdhan&amacr 42(6), 901\\u2013927 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'6', u'journaltitle': u'S&amacrdhan&amacr', u'volumeid': u'42', u'firstpage': u'901', u'lastpage': u'927', u'year': u'2017', u'articletitle': {u'#text': u'On linear waveguides of square and triangular lattice strips: an application of Chebyshev polynomials', u'@language': u'En'}, u'occurrence': [{u'handle': u'3670951', u'@type': u'AMSID'}, {u'handle': u'1390.78026', u'@type': u'ZLBID'}]}, u'citationnumber': u'49.', u'@id': u'CR49'}")], [('YEAR', u'1974'), ('PUBLISHER', u'Handbook'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Functions'), ('PUBLISHER', u'with'), ('PUBLISHER', u'Formulas,'), ('PUBLISHER', u'Graphs,'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Tables'), ('REFPLAINTEXT', u'Abramowitz, M., Stegun, I.A. (eds.): Handbook of Mathematical Functions with Formulas, Graphs, and Mathematical Tables. Dover, New York (1974)'), ('REFSTR', "{u'bibunstructured': u'Abramowitz, M., Stegun, I.A. (eds.): Handbook of Mathematical Functions with Formulas, Graphs, and Mathematical Tables. Dover, New York (1974)', u'citationnumber': u'50.', u'@id': u'CR50', u'bibbook': {u'eds': {u'publisherlocation': u'New York', u'booktitle': u'Handbook of Mathematical Functions with Formulas, Graphs, and Mathematical Tables', u'publishername': u'Dover', u'occurrence': {u'handle': u'0171.38503', u'@type': u'ZLBID'}, u'year': u'1974'}, u'bibeditorname': [{u'familyname': u'Abramowitz', u'initials': u'M'}, {u'familyname': u'Stegun', u'initials': u'IA'}]}}")], [('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Sharma'), ('TITLE', u'Wave'), ('TITLE', u'propagation'), ('TITLE', u'in'), ('TITLE', u'bifurcated'), ('TITLE', u'waveguides'), ('TITLE', u'of'), ('TITLE', u'square'), ('TITLE', u'lattice'), ('TITLE', u'strips'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'76'), ('ISSUE', u'4'), ('YEAR', u'2016'), ('PAGE', u'1355'), ('DOI', u'10.1137/15M1051464'), ('REFPLAINTEXT', u'Sharma, B.L.: Wave propagation in bifurcated waveguides of square lattice strips. SIAM J. Appl. Math. 76(4), 1355–1381 (2016)'), ('REFSTR', "{u'bibunstructured': u'Sharma, B.L.: Wave propagation in bifurcated waveguides of square lattice strips. SIAM J. Appl. Math. 76(4), 1355\\u20131381 (2016)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Sharma', u'initials': u'BL'}, u'issueid': u'4', u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'76', u'firstpage': u'1355', u'lastpage': u'1381', u'year': u'2016', u'articletitle': {u'#text': u'Wave propagation in bifurcated waveguides of square lattice strips', u'@language': u'En'}, u'occurrence': [{u'handle': u'3527694', u'@type': u'AMSID'}, {u'handle': u'10.1137/15M1051464', u'@type': u'DOI'}]}, u'citationnumber': u'51.', u'@id': u'CR51'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Acheritogaray'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Degond'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Frouvelle'), ('AUTHOR_FIRST_NAME', u'JG'), ('AUTHOR_LAST_NAME', u'Liu'), ('TITLE', u'Kinetic'), ('TITLE', u'formulation'), ('TITLE', u'and'), ('TITLE', u'global'), ('TITLE', u'existence'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'Magneto-'), ('TITLE', u'hydrodynamics'), ('TITLE', u'system'), ('JOURNAL', u'Kinet.'), ('JOURNAL', u'Relat.'), ('JOURNAL', u'Models'), ('VOLUME', u'4'), ('YEAR', u'2011'), ('PAGE', u'901'), ('DOI', u'10.3934/krm.2011.4.901'), ('REFPLAINTEXT', u'Acheritogaray, M., Degond, P., Frouvelle, A., Liu, J.G.: Kinetic formulation and global existence for the Hall-Magneto-hydrodynamics system. Kinet. Relat. Models 4, 901–918 (2011)'), ('REFSTR', "{u'bibunstructured': u'Acheritogaray, M., Degond, P., Frouvelle, A., Liu, J.G.: Kinetic formulation and global existence for the Hall-Magneto-hydrodynamics system. Kinet. Relat. Models 4, 901\\u2013918 (2011)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Acheritogaray', u'initials': u'M'}, {u'familyname': u'Degond', u'initials': u'P'}, {u'familyname': u'Frouvelle', u'initials': u'A'}, {u'familyname': u'Liu', u'initials': u'JG'}], u'occurrence': [{u'handle': u'2861579', u'@type': u'AMSID'}, {u'handle': u'10.3934/krm.2011.4.901', u'@type': u'DOI'}], u'journaltitle': u'Kinet. Relat. Models', u'volumeid': u'4', u'firstpage': u'901', u'lastpage': u'918', u'year': u'2011', u'articletitle': {u'#text': u'Kinetic formulation and global existence for the Hall-Magneto-hydrodynamics system', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")], [('AUTHOR_FIRST_NAME', u'RA'), ('AUTHOR_LAST_NAME', u'Adams'), ('YEAR', u'1975'), ('PUBLISHER', u'Sobolev'), ('PUBLISHER', u'Space'), ('REFPLAINTEXT', u'Adams, R.A.: Sobolev Space. Academic Press, New York (1975)'), ('REFSTR', "{u'bibunstructured': u'Adams, R.A.: Sobolev Space. Academic Press, New York (1975)', u'citationnumber': u'2.', u'@id': u'CR2', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Adams', u'initials': u'RA'}, u'publishername': u'Academic Press', u'booktitle': u'Sobolev Space', u'year': u'1975'}}")], [('AUTHOR_FIRST_NAME', u'SA'), ('AUTHOR_LAST_NAME', u'Balbus'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Terquem'), ('TITLE', u'Linear'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'Hall'), ('TITLE', u'effect'), ('TITLE', u'in'), ('TITLE', u'protostellar'), ('TITLE', u'disks'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'J.'), ('VOLUME', u'552'), ('YEAR', u'2001'), ('PAGE', u'235'), ('REFPLAINTEXT', u'Balbus, S.A., Terquem, C.: Linear analysis of the Hall effect in protostellar disks. Astrophys. J. 552, 235–247 (2001)'), ('REFSTR', "{u'bibunstructured': u'Balbus, S.A., Terquem, C.: Linear analysis of the Hall effect in protostellar disks. Astrophys. J. 552, 235\\u2013247 (2001)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Balbus', u'initials': u'SA'}, {u'familyname': u'Terquem', u'initials': u'C'}], u'occurrence': {u'handle': u'10.1086/320452', u'@type': u'DOI'}, u'journaltitle': u'Astrophys. J.', u'volumeid': u'552', u'firstpage': u'235', u'lastpage': u'247', u'year': u'2001', u'articletitle': {u'#text': u'Linear analysis of the Hall effect in protostellar disks', u'@language': u'En'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")], [('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Degond'), ('AUTHOR_FIRST_NAME', u'JG'), ('AUTHOR_LAST_NAME', u'Liu'), ('TITLE', u'Well-'), ('TITLE', u'posedness'), ('TITLE', u'for'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Inst.'), ('JOURNAL', u'H.'), ('JOURNAL', u'Poincar'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Non'), ('JOURNAL', u'Linéaire'), ('VOLUME', u'31'), ('YEAR', u'2014'), ('PAGE', u'555'), ('DOI', u'10.1016/j.anihpc.2013.04.006'), ('REFPLAINTEXT', u'Chae, D.H., Degond, P., Liu, J.G.: Well-posedness for Hall-magnetohydrodynamics. Ann. Inst. H. Poincar Anal. Non Linéaire 31, 555–565 (2014)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Degond, P., Liu, J.G.: Well-posedness for Hall-magnetohydrodynamics. Ann. Inst. H. Poincar Anal. Non Lin\\xe9aire 31, 555\\u2013565 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Degond', u'initials': u'P'}, {u'familyname': u'Liu', u'initials': u'JG'}], u'occurrence': [{u'handle': u'3208454', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.anihpc.2013.04.006', u'@type': u'DOI'}], u'journaltitle': u'Ann. Inst. H. Poincar Anal. Non Lin\\xe9aire', u'volumeid': u'31', u'firstpage': u'555', u'lastpage': u'565', u'year': u'2014', u'articletitle': {u'#text': u'Well-posedness for Hall-magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'JH'), ('AUTHOR_LAST_NAME', u'Lee'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'blow-'), ('TITLE', u'up'), ('TITLE', u'criterion'), ('TITLE', u'and'), ('TITLE', u'small'), ('TITLE', u'data'), ('TITLE', u'global'), ('TITLE', u'existence'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'256'), ('YEAR', u'2014'), ('PAGE', u'3835'), ('DOI', u'10.1016/j.jde.2014.03.003'), ('REFPLAINTEXT', u'Chae, D.H., Lee, J.H.: On the blow-up criterion and small data global existence for the Hall-magnetohydrodynamics. J. Differ. Equ. 256, 3835–3858 (2014)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Lee, J.H.: On the blow-up criterion and small data global existence for the Hall-magnetohydrodynamics. J. Differ. Equ. 256, 3835\\u20133858 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Lee', u'initials': u'JH'}], u'occurrence': [{u'handle': u'3186849', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.jde.2014.03.003', u'@type': u'DOI'}], u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'256', u'firstpage': u'3835', u'lastpage': u'3858', u'year': u'2014', u'articletitle': {u'#text': u'On the blow-up criterion and small data global existence for the Hall-magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")], [('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Schonbek'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'temporal'), ('TITLE', u'decay'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equatioins'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'255'), ('ISSUE', u'11'), ('YEAR', u'2013'), ('PAGE', u'3971'), ('REFPLAINTEXT', u'Chae, D.H., Schonbek, M.: On the temporal decay for the Hall-magnetohydrodynamic equatioins. J. Differ. Equ. 255(11), 3971–3982 (2013)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Schonbek, M.: On the temporal decay for the Hall-magnetohydrodynamic equatioins. J. Differ. Equ. 255(11), 3971\\u20133982 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Schonbek', u'initials': u'M'}], u'issueid': u'11', u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'255', u'firstpage': u'3971', u'lastpage': u'3982', u'year': u'2013', u'articletitle': {u'#text': u'On the temporal decay for the Hall-magnetohydrodynamic equatioins', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1016/j.jde.2013.07.059', u'@type': u'DOI'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")], [('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'RH'), ('AUTHOR_LAST_NAME', u'Wan'), ('AUTHOR_FIRST_NAME', u'JH'), ('AUTHOR_LAST_NAME', u'Wu'), ('TITLE', u'Local'), ('TITLE', u'well-'), ('TITLE', u'posedness'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'fractional'), ('TITLE', u'magnetic'), ('TITLE', u'diffusion'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Fluid'), ('JOURNAL', u'Mech.'), ('VOLUME', u'17'), ('YEAR', u'2015'), ('PAGE', u'627'), ('DOI', u'10.1007/s00021-015-0222-9'), ('REFPLAINTEXT', u'Chae, D.H., Wan, R.H., Wu, J.H.: Local well-posedness for the Hall-MHD equations with fractional magnetic diffusion. J. Math. Fluid Mech. 17, 627–638 (2015)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Wan, R.H., Wu, J.H.: Local well-posedness for the Hall-MHD equations with fractional magnetic diffusion. J. Math. Fluid Mech. 17, 627\\u2013638 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Wan', u'initials': u'RH'}, {u'familyname': u'Wu', u'initials': u'JH'}], u'occurrence': [{u'handle': u'3412271', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00021-015-0222-9', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Fluid Mech.', u'volumeid': u'17', u'firstpage': u'627', u'lastpage': u'638', u'year': u'2015', u'articletitle': {u'#text': u'Local well-posedness for the Hall-MHD equations with fractional magnetic diffusion', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")], [('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'SK'), ('AUTHOR_LAST_NAME', u'Weng'), ('TITLE', u'Singularity'), ('TITLE', u'formation'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'incompressible'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('TITLE', u'without'), ('TITLE', u'resistivity'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Inst.'), ('JOURNAL', u'H.'), ('JOURNAL', u'Poincaré'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Non'), ('JOURNAL', u'Linéaire'), ('VOLUME', u'4'), ('YEAR', u'2016'), ('PAGE', u'1009'), ('DOI', u'10.1016/j.anihpc.2015.03.002'), ('REFPLAINTEXT', u'Chae, D.H., Weng, S.K.: Singularity formation for the incompressible Hall-MHD equations without resistivity. Ann. Inst. H. Poincaré Anal. Non Linéaire 4, 1009–1022 (2016)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Weng, S.K.: Singularity formation for the incompressible Hall-MHD equations without resistivity. Ann. Inst. H. Poincar\\xe9 Anal. Non Lin\\xe9aire 4, 1009\\u20131022 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Weng', u'initials': u'SK'}], u'occurrence': [{u'handle': u'3519529', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.anihpc.2015.03.002', u'@type': u'DOI'}], u'journaltitle': u'Ann. Inst. H. Poincar\\xe9 Anal. Non Lin\\xe9aire', u'volumeid': u'4', u'firstpage': u'1009', u'lastpage': u'1022', u'year': u'2016', u'articletitle': {u'#text': u'Singularity formation for the incompressible Hall-MHD equations without resistivity', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Chae'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Wolf'), ('TITLE', u'On'), ('TITLE', u'partial'), ('TITLE', u'regularity'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'3D'), ('TITLE', u'nonstationary'), ('TITLE', u'Hall'), ('TITLE', u'magnetohydrodynamics'), ('TITLE', u'equations'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'plane'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'48'), ('YEAR', u'2016'), ('PAGE', u'443'), ('DOI', u'10.1137/15M1012037'), ('REFPLAINTEXT', u'Chae, D.H., Wolf, J.: On partial regularity for the 3D nonstationary Hall magnetohydrodynamics equations on the plane. SIAM J. Math. Anal. 48, 443–469 (2016)'), ('REFSTR', "{u'bibunstructured': u'Chae, D.H., Wolf, J.: On partial regularity for the 3D nonstationary Hall magnetohydrodynamics equations on the plane. SIAM J. Math. Anal. 48, 443\\u2013469 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chae', u'initials': u'DH'}, {u'familyname': u'Wolf', u'initials': u'J'}], u'occurrence': [{u'handle': u'3455137', u'@type': u'AMSID'}, {u'handle': u'10.1137/15M1012037', u'@type': u'DOI'}], u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'48', u'firstpage': u'443', u'lastpage': u'469', u'year': u'2016', u'articletitle': {u'#text': u'On partial regularity for the 3D nonstationary Hall magnetohydrodynamics equations on the plane', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Crispo'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Maremonti'), ('TITLE', u'An'), ('TITLE', u'interpolation'), ('TITLE', u'inequality'), ('TITLE', u'in'), ('TITLE', u'exterior'), ('TITLE', u'domains'), ('JOURNAL', u'Rend.'), ('JOURNAL', u'Sem.'), ('JOURNAL', u'Mat.'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Padova'), ('VOLUME', u'112'), ('YEAR', u'2004'), ('PAGE', u'11'), ('REFPLAINTEXT', u'Crispo, F., Maremonti, P.: An interpolation inequality in exterior domains. Rend. Sem. Mat. Univ. Padova 112, 11–39 (2004)'), ('REFSTR', "{u'bibunstructured': u'Crispo, F., Maremonti, P.: An interpolation inequality in exterior domains. Rend. Sem. Mat. Univ. Padova 112, 11\\u201339 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Crispo', u'initials': u'F'}, {u'familyname': u'Maremonti', u'initials': u'P'}], u'occurrence': [{u'handle': u'2109950', u'@type': u'AMSID'}, {u'handle': u'1105.35150', u'@type': u'ZLBID'}], u'journaltitle': u'Rend. Sem. Mat. Univ. Padova', u'volumeid': u'112', u'firstpage': u'11', u'lastpage': u'39', u'year': u'2004', u'articletitle': {u'#text': u'An interpolation inequality in exterior domains', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")], [('AUTHOR_FIRST_NAME', u'RJ'), ('AUTHOR_LAST_NAME', u'Duan'), ('AUTHOR_FIRST_NAME', u'HX'), ('AUTHOR_LAST_NAME', u'Liu'), ('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Ukai'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Yang'), ('TITLE', u'Optimal'), ('TITLE', u'L^p-'), ('TITLE', u'L^q'), ('TITLE', u'convergence'), ('TITLE', u'rates'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'NavierStokes'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'potential'), ('TITLE', u'force'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'238'), ('YEAR', u'2007'), ('PAGE', u'220'), ('REFPLAINTEXT', u'Duan, R.J., Liu, H.X., Ukai, S.J., Yang, T.: Optimal L^p-L^q convergence rates for the compressible Navier–Stokes equations with potential force. J. Differ. Equ. 238, 220–233 (2007)'), ('REFSTR', "{u'bibunstructured': u'Duan, R.J., Liu, H.X., Ukai, S.J., Yang, T.: Optimal L^p-L^q convergence rates for the compressible Navier\\u2013Stokes equations with potential force. J. Differ. Equ. 238, 220\\u2013233 (2007)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Duan', u'initials': u'RJ'}, {u'familyname': u'Liu', u'initials': u'HX'}, {u'familyname': u'Ukai', u'initials': u'SJ'}, {u'familyname': u'Yang', u'initials': u'T'}], u'occurrence': {u'handle': u'10.1016/j.jde.2007.03.008', u'@type': u'DOI'}, u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'238', u'firstpage': u'220', u'lastpage': u'233', u'year': u'2007', u'articletitle': {u'#text': u'Optimal L^p-L^q convergence rates for the compressible Navier\\u2013Stokes equations with potential force', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")], [('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Ahmad'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Hayat'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Zhou'), ('TITLE', u'On'), ('TITLE', u'well-'), ('TITLE', u'posedness'), ('TITLE', u'and'), ('TITLE', u'blow-'), ('TITLE', u'up'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'full'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'system'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'31'), ('YEAR', u'2016'), ('PAGE', u'569'), ('DOI', u'10.1016/j.nonrwa.2016.03.003'), ('REFPLAINTEXT', u'Fan, J.S., Ahmad, B., Hayat, T., Zhou, Y.: On well-posedness and blow-up for the full compressible Hall-MHD system. Nonlinear Anal. Real World Appl. 31, 569–579 (2016)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Ahmad, B., Hayat, T., Zhou, Y.: On well-posedness and blow-up for the full compressible Hall-MHD system. Nonlinear Anal. Real World Appl. 31, 569\\u2013579 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Ahmad', u'initials': u'B'}, {u'familyname': u'Hayat', u'initials': u'T'}, {u'familyname': u'Zhou', u'initials': u'Y'}], u'occurrence': [{u'handle': u'3490858', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2016.03.003', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'31', u'firstpage': u'569', u'lastpage': u'579', u'year': u'2016', u'articletitle': {u'#text': u'On well-posedness and blow-up for the full compressible Hall-MHD system', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")], [('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Alsaedi'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Hayat'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Zhou'), ('TITLE', u'On'), ('TITLE', u'strong'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'system'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'22'), ('YEAR', u'2015'), ('PAGE', u'423'), ('DOI', u'10.1016/j.nonrwa.2014.10.003'), ('REFPLAINTEXT', u'Fan, J.S., Alsaedi, A., Hayat, T., Nakamura, G., Zhou, Y.: On strong solutions to the compressible Hall-magnetohydrodynamic system. Nonlinear Anal. Real World Appl. 22, 423–434 (2015)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Alsaedi, A., Hayat, T., Nakamura, G., Zhou, Y.: On strong solutions to the compressible Hall-magnetohydrodynamic system. Nonlinear Anal. Real World Appl. 22, 423\\u2013434 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Alsaedi', u'initials': u'A'}, {u'familyname': u'Hayat', u'initials': u'T'}, {u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Zhou', u'initials': u'Y'}], u'occurrence': [{u'handle': u'3280843', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2014.10.003', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'22', u'firstpage': u'423', u'lastpage': u'434', u'year': u'2015', u'articletitle': {u'#text': u'On strong solutions to the compressible Hall-magnetohydrodynamic system', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")], [('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'XJ'), ('AUTHOR_LAST_NAME', u'Jia'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Zhou'), ('TITLE', u'On'), ('TITLE', u'well-'), ('TITLE', u'posedness'), ('TITLE', u'and'), ('TITLE', u'blow-'), ('TITLE', u'up'), ('TITLE', u'criteria'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'magnetohydrodynamics'), ('TITLE', u'with'), ('TITLE', u'the'), ('TITLE', u'Hall'), ('TITLE', u'and'), ('TITLE', u'ion-'), ('TITLE', u'slip'), ('TITLE', u'effects'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('YEAR', u'2015'), ('PAGE', u'1695'), ('DOI', u'10.1007/s00033-015-0499-9'), ('REFPLAINTEXT', u'Fan, J.S., Jia, X.J., Nakamura, G., Zhou, Y.: On well-posedness and blow-up criteria for the magnetohydrodynamics with the Hall and ion-slip effects. Z. Angew. Math. Phys. 66, 1695–1706 (2015)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Jia, X.J., Nakamura, G., Zhou, Y.: On well-posedness and blow-up criteria for the magnetohydrodynamics with the Hall and ion-slip effects. Z. Angew. Math. Phys. 66, 1695\\u20131706 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Jia', u'initials': u'XJ'}, {u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Zhou', u'initials': u'Y'}], u'occurrence': [{u'handle': u'3377709', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-015-0499-9', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'1695', u'lastpage': u'1706', u'year': u'2015', u'articletitle': {u'#text': u'On well-posedness and blow-up criteria for the magnetohydrodynamics with the Hall and ion-slip effects', u'@language': u'En'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")], [('AUTHOR_FIRST_NAME', u'JS'), ('AUTHOR_LAST_NAME', u'Fan'), ('AUTHOR_FIRST_NAME', u'WH'), ('AUTHOR_LAST_NAME', u'Yu'), ('TITLE', u'Strong'), ('TITLE', u'solution'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'vacuum'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'10'), ('YEAR', u'2009'), ('PAGE', u'392'), ('DOI', u'10.1016/j.nonrwa.2007.10.001'), ('REFPLAINTEXT', u'Fan, J.S., Yu, W.H.: Strong solution to the compressible magnetohydrodynamic equations with vacuum. Nonlinear Anal. Real World Appl. 10, 392–409 (2009)'), ('REFSTR', "{u'bibunstructured': u'Fan, J.S., Yu, W.H.: Strong solution to the compressible magnetohydrodynamic equations with vacuum. Nonlinear Anal. Real World Appl. 10, 392\\u2013409 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fan', u'initials': u'JS'}, {u'familyname': u'Yu', u'initials': u'WH'}], u'occurrence': [{u'handle': u'2451719', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2007.10.001', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'10', u'firstpage': u'392', u'lastpage': u'409', u'year': u'2009', u'articletitle': {u'#text': u'Strong solution to the compressible magnetohydrodynamic equations with vacuum', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('AUTHOR_FIRST_NAME', u'TG'), ('AUTHOR_LAST_NAME', u'Forbes'), ('TITLE', u'Magnetic'), ('TITLE', u'reconnection'), ('TITLE', u'in'), ('TITLE', u'solar'), ('TITLE', u'flares'), ('JOURNAL', u'Geophys.'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'Fluid'), ('JOURNAL', u'Dyn.'), ('VOLUME', u'62'), ('YEAR', u'1991'), ('PAGE', u'15'), ('REFPLAINTEXT', u'Forbes, T.G.: Magnetic reconnection in solar flares. Geophys. Astrophys. Fluid Dyn. 62, 15–36 (1991)'), ('REFSTR', "{u'bibunstructured': u'Forbes, T.G.: Magnetic reconnection in solar flares. Geophys. Astrophys. Fluid Dyn. 62, 15\\u201336 (1991)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Forbes', u'initials': u'TG'}, u'occurrence': {u'handle': u'10.1080/03091929108229123', u'@type': u'DOI'}, u'journaltitle': u'Geophys. Astrophys. Fluid Dyn.', u'volumeid': u'62', u'firstpage': u'15', u'lastpage': u'36', u'year': u'1991', u'articletitle': {u'#text': u'Magnetic reconnection in solar flares', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Gagliardo'), ('TITLE', u'Ulteriori'), ('TITLE', u'propriet'), ('TITLE', u'di'), ('TITLE', u'alcune'), ('TITLE', u'classi'), ('TITLE', u'di'), ('TITLE', u'funzioni'), ('TITLE', u'in'), ('TITLE', u'pi'), ('TITLE', u'variabili'), ('JOURNAL', u'Ricerche'), ('JOURNAL', u'Mat.'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Napoli'), ('VOLUME', u'8'), ('YEAR', u'1959'), ('PAGE', u'24'), ('REFPLAINTEXT', u'Gagliardo, E.: Ulteriori proprietà di alcune classi di funzioni in più variabili. Ricerche Mat. Univ. Napoli 8, 24–51 (1959)'), ('REFSTR', "{u'bibunstructured': u'Gagliardo, E.: Ulteriori propriet\\xe0 di alcune classi di funzioni in pi\\xf9 variabili. Ricerche Mat. Univ. Napoli 8, 24\\u201351 (1959)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Gagliardo', u'initials': u'E'}, u'occurrence': [{u'handle': u'109295', u'@type': u'AMSID'}, {u'handle': u'0199.44701', u'@type': u'ZLBID'}], u'journaltitle': u'Ricerche Mat. Univ. Napoli', u'volumeid': u'8', u'firstpage': u'24', u'lastpage': u'51', u'year': u'1959', u'articletitle': {u'#text': u'Ulteriori propriet\\xe0 di alcune classi di funzioni in pi\\xf9 variabili', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")], [('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Gao'), ('AUTHOR_FIRST_NAME', u'ZA'), ('AUTHOR_LAST_NAME', u'Yao'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'optimal'), ('TITLE', u'decay'), ('TITLE', u'rates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('JOURNAL', u'Discrete'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Dyn.'), ('JOURNAL', u'Syst.'), ('VOLUME', u'36'), ('YEAR', u'2016'), ('PAGE', u'3077'), ('REFPLAINTEXT', u'Gao, J.C., Yao, Z.A.: Global existence and optimal decay rates of solutions for compressible Hall-MHD equations. Discrete Contin. Dyn. Syst. 36, 3077–3106 (2016)'), ('REFSTR', "{u'bibunstructured': u'Gao, J.C., Yao, Z.A.: Global existence and optimal decay rates of solutions for compressible Hall-MHD equations. Discrete Contin. Dyn. Syst. 36, 3077\\u20133106 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Gao', u'initials': u'JC'}, {u'familyname': u'Yao', u'initials': u'ZA'}], u'occurrence': [{u'handle': u'3485432', u'@type': u'AMSID'}, {u'handle': u'1332.76076', u'@type': u'ZLBID'}], u'journaltitle': u'Discrete Contin. Dyn. Syst.', u'volumeid': u'36', u'firstpage': u'3077', u'lastpage': u'3106', u'year': u'2016', u'articletitle': {u'#text': u'Global existence and optimal decay rates of solutions for compressible Hall-MHD equations', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Hall'), ('TITLE', u'On'), ('TITLE', u'a'), ('TITLE', u'new'), ('TITLE', u'action'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'magnet'), ('TITLE', u'on'), ('TITLE', u'electric'), ('TITLE', u'currents'), ('JOURNAL', u'Am.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('VOLUME', u'2'), ('YEAR', u'1879'), ('PAGE', u'287'), ('DOI', u'10.2307/2369245'), ('REFPLAINTEXT', u'Hall, E.: On a new action of the magnet on electric currents. Am. J. Math. 2, 287–92 (1879)'), ('REFSTR', "{u'bibunstructured': u'Hall, E.: On a new action of the magnet on electric currents. Am. J. Math. 2, 287\\u201392 (1879)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Hall', u'initials': u'E'}, u'occurrence': [{u'handle': u'1505227', u'@type': u'AMSID'}, {u'handle': u'10.2307/2369245', u'@type': u'DOI'}], u'journaltitle': u'Am. J. Math.', u'volumeid': u'2', u'firstpage': u'287', u'lastpage': u'92', u'year': u'1879', u'articletitle': {u'#text': u'On a new action of the magnet on electric currents', u'@language': u'En'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")], [('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Homann'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Grauer'), ('TITLE', u'Bifurcation'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'magnetic'), ('TITLE', u'reconnection'), ('TITLE', u'in'), ('TITLE', u'Hall-'), ('TITLE', u'MHD'), ('TITLE', u'systems'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'D'), ('VOLUME', u'208'), ('YEAR', u'2005'), ('PAGE', u'59'), ('DOI', u'10.1016/j.physd.2005.06.003'), ('REFPLAINTEXT', u'Homann, H., Grauer, R.: Bifurcation analysis of magnetic reconnection in Hall-MHD systems. Phys. D 208, 59–72 (2005)'), ('REFSTR', "{u'bibunstructured': u'Homann, H., Grauer, R.: Bifurcation analysis of magnetic reconnection in Hall-MHD systems. Phys. D 208, 59\\u201372 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Homann', u'initials': u'H'}, {u'familyname': u'Grauer', u'initials': u'R'}], u'occurrence': [{u'handle': u'2167907', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.physd.2005.06.003', u'@type': u'DOI'}], u'journaltitle': u'Phys. D', u'volumeid': u'208', u'firstpage': u'59', u'lastpage': u'72', u'year': u'2005', u'articletitle': {u'#text': u'Bifurcation analysis of magnetic reconnection in Hall-MHD systems', u'@language': u'En'}}, u'citationnumber': u'20.', u'@id': u'CR20'}")], [('AUTHOR_FIRST_NAME', u'XP'), ('AUTHOR_LAST_NAME', u'Hu'), ('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'large-'), ('TITLE', u'time'), ('TITLE', u'behavior'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'three-'), ('TITLE', u'dimensional'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'flows'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Ration.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'197'), ('YEAR', u'2010'), ('PAGE', u'203'), ('DOI', u'10.1007/s00205-010-0295-9'), ('REFPLAINTEXT', u'Hu, X.P., Wang, D.H.: Global existence and large-time behavior of solutions to the three-dimensional equations of compressible magnetohydrodynamic flows. Arch. Ration. Mech. Anal. 197, 203–238 (2010)'), ('REFSTR', "{u'bibunstructured': u'Hu, X.P., Wang, D.H.: Global existence and large-time behavior of solutions to the three-dimensional equations of compressible magnetohydrodynamic flows. Arch. Ration. Mech. Anal. 197, 203\\u2013238 (2010)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Hu', u'initials': u'XP'}, {u'familyname': u'Wang', u'initials': u'DH'}], u'occurrence': [{u'handle': u'2646819', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00205-010-0295-9', u'@type': u'DOI'}], u'journaltitle': u'Arch. Ration. Mech. Anal.', u'volumeid': u'197', u'firstpage': u'203', u'lastpage': u'238', u'year': u'2010', u'articletitle': {u'#text': u'Global existence and large-time behavior of solutions to the three-dimensional equations of compressible magnetohydrodynamic flows', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Majda'), ('YEAR', u'1984'), ('PUBLISHER', u'Compressible'), ('PUBLISHER', u'Fluid'), ('PUBLISHER', u'Flow'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Systems'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Conservation'), ('PUBLISHER', u'Laws'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Several'), ('PUBLISHER', u'Space'), ('PUBLISHER', u'Variables'), ('REFPLAINTEXT', u'Majda, A.: Compressible Fluid Flow and Systems of Conservation Laws in Several Space Variables. Springer, New York (1984)'), ('REFSTR', "{u'bibunstructured': u'Majda, A.: Compressible Fluid Flow and Systems of Conservation Laws in Several Space Variables. Springer, New York (1984)', u'citationnumber': u'22.', u'@id': u'CR22', u'bibbook': {u'bibauthorname': {u'familyname': u'Majda', u'initials': u'A'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'10.1007/978-1-4612-1116-7', u'@type': u'DOI'}, u'booktitle': u'Compressible Fluid Flow and Systems of Conservation Laws in Several Space Variables', u'year': u'1984', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'PD'), ('AUTHOR_LAST_NAME', u'Mininni'), ('AUTHOR_FIRST_NAME', u'DO'), ('AUTHOR_LAST_NAME', u'Gmez'), ('AUTHOR_FIRST_NAME', u'SM'), ('AUTHOR_LAST_NAME', u'Mahajan'), ('TITLE', u'Dynamo'), ('TITLE', u'action'), ('TITLE', u'in'), ('TITLE', u'magnetohydrodynamics'), ('TITLE', u'and'), ('TITLE', u'Hall'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'J.'), ('VOLUME', u'587'), ('YEAR', u'2003'), ('PAGE', u'472'), ('REFPLAINTEXT', u'Mininni, P.D., Gòmez, D.O., Mahajan, S.M.: Dynamo action in magnetohydrodynamics and Hall magnetohydrodynamics. Astrophys. J. 587, 472–481 (2003)'), ('REFSTR', "{u'bibunstructured': u'Mininni, P.D., G\\xf2mez, D.O., Mahajan, S.M.: Dynamo action in magnetohydrodynamics and Hall magnetohydrodynamics. Astrophys. J. 587, 472\\u2013481 (2003)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Mininni', u'initials': u'PD'}, {u'familyname': u'G\\xf2mez', u'initials': u'DO'}, {u'familyname': u'Mahajan', u'initials': u'SM'}], u'occurrence': {u'handle': u'10.1086/368181', u'@type': u'DOI'}, u'journaltitle': u'Astrophys. J.', u'volumeid': u'587', u'firstpage': u'472', u'lastpage': u'481', u'year': u'2003', u'articletitle': {u'#text': u'Dynamo action in magnetohydrodynamics and Hall magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")], [('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kobayashi'), ('TITLE', u'Some'), ('TITLE', u'estimates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'motion'), ('TITLE', u'of'), ('TITLE', u'compressible'), ('TITLE', u'viscous'), ('TITLE', u'fluid'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'three-'), ('TITLE', u'dimensional'), ('TITLE', u'exterior'), ('TITLE', u'domain'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'184'), ('YEAR', u'2002'), ('PAGE', u'587'), ('DOI', u'10.1006/jdeq.2002.4158'), ('REFPLAINTEXT', u'Kobayashi, T.: Some estimates of solutions for the equations of motion of compressible viscous fluid in the three-dimensional exterior domain. J. Differ. Equ. 184, 587–619 (2002)'), ('REFSTR', "{u'bibunstructured': u'Kobayashi, T.: Some estimates of solutions for the equations of motion of compressible viscous fluid in the three-dimensional exterior domain. J. Differ. Equ. 184, 587\\u2013619 (2002)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Kobayashi', u'initials': u'T'}, u'occurrence': [{u'handle': u'1929890', u'@type': u'AMSID'}, {u'handle': u'10.1006/jdeq.2002.4158', u'@type': u'DOI'}], u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'184', u'firstpage': u'587', u'lastpage': u'619', u'year': u'2002', u'articletitle': {u'#text': u'Some estimates of solutions for the equations of motion of compressible viscous fluid in the three-dimensional exterior domain', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")], [('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kobayashi'), ('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Shibata'), ('TITLE', u'Decay'), ('TITLE', u'estimates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'motion'), ('TITLE', u'of'), ('TITLE', u'compressible'), ('TITLE', u'viscous'), ('TITLE', u'and'), ('TITLE', u'heat-'), ('TITLE', u'conductive'), ('TITLE', u'gases'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'exterior'), ('TITLE', u'domain'), ('TITLE', u'in'), ('TITLE', u'R'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'251'), ('YEAR', u'2004'), ('PAGE', u'365'), ('REFPLAINTEXT', u'Kobayashi, T., Shibata, Y.: Decay estimates of solutions for the equations of motion of compressible viscous and heat-conductive gases in an exterior domain in R. Commun. Math. Phys. 251, 365–376 (2004)'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Kobayashi, T., Shibata, Y.: Decay estimates of solutions for the equations of motion of compressible viscous and heat-conductive gases in an exterior domain in R. Commun. Math. Phys. 251, 365\\u2013376 (2004)', u'sup': u'3'}, u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kobayashi', u'initials': u'T'}, {u'familyname': u'Shibata', u'initials': u'Y'}], u'occurrence': {u'handle': u'10.1007/s00220-004-1062-2', u'@type': u'DOI'}, u'journaltitle': u'Commun. Math. Phys.', u'volumeid': u'251', u'firstpage': u'365', u'lastpage': u'376', u'year': u'2004', u'articletitle': {u'#text': u'Decay estimates of solutions for the equations of motion of compressible viscous and heat-conductive gases in an exterior domain in R', u'sup': u'3', u'@language': u'En'}}, u'citationnumber': u'25.', u'@id': u'CR25'}")], [('AUTHOR_FIRST_NAME', u'HL'), ('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'XY'), ('AUTHOR_LAST_NAME', u'Xu'), ('AUTHOR_FIRST_NAME', u'JW'), ('AUTHOR_LAST_NAME', u'Zhang'), ('TITLE', u'Global'), ('TITLE', u'classical'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'3D'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'large'), ('TITLE', u'oscillations'), ('TITLE', u'and'), ('TITLE', u'vaccum'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'45'), ('YEAR', u'2013'), ('PAGE', u'1356'), ('DOI', u'10.1137/120893355'), ('REFPLAINTEXT', u'Li, H.L., Xu, X.Y., Zhang, J.W.: Global classical solutions to 3D compressible magnetohydrodynamic equations with large oscillations and vaccum. SIAM J. Math. Anal. 45, 1356–1387 (2013)'), ('REFSTR', "{u'bibunstructured': u'Li, H.L., Xu, X.Y., Zhang, J.W.: Global classical solutions to 3D compressible magnetohydrodynamic equations with large oscillations and vaccum. SIAM J. Math. Anal. 45, 1356\\u20131387 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Li', u'initials': u'HL'}, {u'familyname': u'Xu', u'initials': u'XY'}, {u'familyname': u'Zhang', u'initials': u'JW'}], u'occurrence': [{u'handle': u'3056749', u'@type': u'AMSID'}, {u'handle': u'10.1137/120893355', u'@type': u'DOI'}], u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'45', u'firstpage': u'1356', u'lastpage': u'1387', u'year': u'2013', u'articletitle': {u'#text': u'Global classical solutions to 3D compressible magnetohydrodynamic equations with large oscillations and vaccum', u'@language': u'En'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")], [('AUTHOR_FIRST_NAME', u'BQ'), ('AUTHOR_LAST_NAME', u'Lv'), ('AUTHOR_FIRST_NAME', u'XD'), ('AUTHOR_LAST_NAME', u'Shi'), ('AUTHOR_FIRST_NAME', u'XY'), ('AUTHOR_LAST_NAME', u'Xu'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'large-'), ('TITLE', u'time'), ('TITLE', u'asymptotic'), ('TITLE', u'behavior'), ('TITLE', u'of'), ('TITLE', u'strong'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'vacuum'), ('JOURNAL', u'Indiana'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'J.'), ('VOLUME', u'65'), ('YEAR', u'2016'), ('PAGE', u'925'), ('DOI', u'10.1512/iumj.2016.65.5813'), ('REFPLAINTEXT', u'Lv, B.Q., Shi, X.D., Xu, X.Y.: Global existence and large-time asymptotic behavior of strong solutions to the compressible magnetohydrodynamic equations with vacuum. Indiana Univ. Math. J. 65, 925–975 (2016)'), ('REFSTR', "{u'bibunstructured': u'Lv, B.Q., Shi, X.D., Xu, X.Y.: Global existence and large-time asymptotic behavior of strong solutions to the compressible magnetohydrodynamic equations with vacuum. Indiana Univ. Math. J. 65, 925\\u2013975 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lv', u'initials': u'BQ'}, {u'familyname': u'Shi', u'initials': u'XD'}, {u'familyname': u'Xu', u'initials': u'XY'}], u'occurrence': [{u'handle': u'3528824', u'@type': u'AMSID'}, {u'handle': u'10.1512/iumj.2016.65.5813', u'@type': u'DOI'}], u'journaltitle': u'Indiana Univ. Math. J.', u'volumeid': u'65', u'firstpage': u'925', u'lastpage': u'975', u'year': u'2016', u'articletitle': {u'#text': u'Global existence and large-time asymptotic behavior of strong solutions to the compressible magnetohydrodynamic equations with vacuum', u'@language': u'En'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Matsumura'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Nishida'), ('TITLE', u'The'), ('TITLE', u'initial'), ('TITLE', u'value'), ('TITLE', u'problem'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'equations'), ('TITLE', u'of'), ('TITLE', u'motion'), ('TITLE', u'of'), ('TITLE', u'viscous'), ('TITLE', u'and'), ('TITLE', u'heat-'), ('TITLE', u'conductive'), ('TITLE', u'gases'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Kyoto'), ('JOURNAL', u'Univ.'), ('VOLUME', u'20'), ('YEAR', u'1980'), ('PAGE', u'67'), ('DOI', u'10.1215/kjm/1250522322'), ('REFPLAINTEXT', u'Matsumura, A., Nishida, T.: The initial value problem for the equations of motion of viscous and heat-conductive gases. J. Math. Kyoto Univ. 20, 67–104 (1980)'), ('REFSTR', "{u'bibunstructured': u'Matsumura, A., Nishida, T.: The initial value problem for the equations of motion of viscous and heat-conductive gases. J. Math. Kyoto Univ. 20, 67\\u2013104 (1980)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Matsumura', u'initials': u'A'}, {u'familyname': u'Nishida', u'initials': u'T'}], u'occurrence': [{u'handle': u'564670', u'@type': u'AMSID'}, {u'handle': u'10.1215/kjm/1250522322', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Kyoto Univ.', u'volumeid': u'20', u'firstpage': u'67', u'lastpage': u'104', u'year': u'1980', u'articletitle': {u'#text': u'The initial value problem for the equations of motion of viscous and heat-conductive gases', u'@language': u'En'}}, u'citationnumber': u'28.', u'@id': u'CR28'}")], [('AUTHOR_FIRST_NAME', u'XK'), ('AUTHOR_LAST_NAME', u'Pu'), ('AUTHOR_FIRST_NAME', u'BL'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Global'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'convergence'), ('TITLE', u'rates'), ('TITLE', u'of'), ('TITLE', u'smooth'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'full'), ('TITLE', u'compressible'), ('TITLE', u'MHD'), ('TITLE', u'equations'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'64'), ('YEAR', u'2013'), ('PAGE', u'519'), ('DOI', u'10.1007/s00033-012-0245-5'), ('REFPLAINTEXT', u'Pu, X.K., Guo, B.L.: Global existence and convergence rates of smooth solutions for the full compressible MHD equations. Z. Angew. Math. Phys. 64, 519–538 (2013)'), ('REFSTR', "{u'bibunstructured': u'Pu, X.K., Guo, B.L.: Global existence and convergence rates of smooth solutions for the full compressible MHD equations. Z. Angew. Math. Phys. 64, 519\\u2013538 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Pu', u'initials': u'XK'}, {u'familyname': u'Guo', u'initials': u'BL'}], u'occurrence': [{u'handle': u'3068837', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-012-0245-5', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'64', u'firstpage': u'519', u'lastpage': u'538', u'year': u'2013', u'articletitle': {u'#text': u'Global existence and convergence rates of smooth solutions for the full compressible MHD equations', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")], [('AUTHOR_FIRST_NAME', u'DA'), ('AUTHOR_LAST_NAME', u'Shalybkov'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Urpin'), ('TITLE', u'The'), ('TITLE', u'Hall'), ('TITLE', u'effect'), ('TITLE', u'and'), ('TITLE', u'the'), ('TITLE', u'decay'), ('TITLE', u'of'), ('TITLE', u'magnetic'), ('TITLE', u'fields'), ('JOURNAL', u'Astron.'), ('JOURNAL', u'Astrophys.'), ('VOLUME', u'321'), ('YEAR', u'1997'), ('PAGE', u'685'), ('REFPLAINTEXT', u'Shalybkov, D.A., Urpin, V.A.: The Hall effect and the decay of magnetic fields. Astron. Astrophys. 321, 685–690 (1997)'), ('REFSTR', "{u'bibunstructured': u'Shalybkov, D.A., Urpin, V.A.: The Hall effect and the decay of magnetic fields. Astron. Astrophys. 321, 685\\u2013690 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Shalybkov', u'initials': u'DA'}, {u'familyname': u'Urpin', u'initials': u'VA'}], u'journaltitle': u'Astron. Astrophys.', u'volumeid': u'321', u'firstpage': u'685', u'lastpage': u'690', u'year': u'1997', u'articletitle': {u'#text': u'The Hall effect and the decay of magnetic fields', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")], [('AUTHOR_FIRST_NAME', u'Z'), ('AUTHOR_LAST_NAME', u'Tan'), ('AUTHOR_FIRST_NAME', u'HQ'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'Optimal'), ('TITLE', u'decay'), ('TITLE', u'rates'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'magnetohydrodynamic'), ('TITLE', u'equations'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Real'), ('JOURNAL', u'World'), ('JOURNAL', u'Appl.'), ('VOLUME', u'14'), ('YEAR', u'2013'), ('PAGE', u'188'), ('DOI', u'10.1016/j.nonrwa.2012.05.012'), ('REFPLAINTEXT', u'Tan, Z., Wang, H.Q.: Optimal decay rates of the compressible magnetohydrodynamic equations. Nonlinear Anal. Real World Appl. 14, 188–201 (2013)'), ('REFSTR', "{u'bibunstructured': u'Tan, Z., Wang, H.Q.: Optimal decay rates of the compressible magnetohydrodynamic equations. Nonlinear Anal. Real World Appl. 14, 188\\u2013201 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Tan', u'initials': u'Z'}, {u'familyname': u'Wang', u'initials': u'HQ'}], u'occurrence': [{u'handle': u'2969828', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.nonrwa.2012.05.012', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal. Real World Appl.', u'volumeid': u'14', u'firstpage': u'188', u'lastpage': u'201', u'year': u'2013', u'articletitle': {u'#text': u'Optimal decay rates of the compressible magnetohydrodynamic equations', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Treves'), ('YEAR', u'1975'), ('PUBLISHER', u'Basic'), ('PUBLISHER', u'Linear'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Treves, F.: Basic Linear Partial Differential Equations. Academic Press, New York (1975)'), ('REFSTR', "{u'bibunstructured': u'Treves, F.: Basic Linear Partial Differential Equations. Academic Press, New York (1975)', u'citationnumber': u'32.', u'@id': u'CR32', u'bibbook': {u'bibauthorname': {u'familyname': u'Treves', u'initials': u'F'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0305.35001', u'@type': u'ZLBID'}, u'booktitle': u'Basic Linear Partial Differential Equations', u'year': u'1975', u'publishername': u'Academic Press'}}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Wardle'), ('TITLE', u'Star'), ('TITLE', u'formation'), ('TITLE', u'and'), ('TITLE', u'the'), ('TITLE', u'Hall'), ('TITLE', u'effect'), ('JOURNAL', u'Astrophys.'), ('JOURNAL', u'Space'), ('JOURNAL', u'Sci.'), ('VOLUME', u'292'), ('YEAR', u'2004'), ('PAGE', u'317'), ('REFPLAINTEXT', u'Wardle, M.: Star formation and the Hall effect. Astrophys. Space Sci. 292, 317–323 (2004)'), ('REFSTR', "{u'bibunstructured': u'Wardle, M.: Star formation and the Hall effect. Astrophys. Space Sci. 292, 317\\u2013323 (2004)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Wardle', u'initials': u'M'}, u'occurrence': {u'handle': u'10.1023/B:ASTR.0000045033.80068.1f', u'@type': u'DOI'}, u'journaltitle': u'Astrophys. Space Sci.', u'volumeid': u'292', u'firstpage': u'317', u'lastpage': u'323', u'year': u'2004', u'articletitle': {u'#text': u'Star formation and the Hall effect', u'@language': u'En'}}, u'citationnumber': u'33.', u'@id': u'CR33'}")], [('AUTHOR_FIRST_NAME', u'ZY'), ('AUTHOR_LAST_NAME', u'Xiang'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'Cauchy'), ('TITLE', u'problem'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'compressible'), ('TITLE', u'Hall-'), ('TITLE', u'magneto-'), ('TITLE', u'hydrodynamic'), ('TITLE', u'equatioins'), ('JOURNAL', u'J.'), ('JOURNAL', u'Evol.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'17'), ('YEAR', u'2017'), ('PAGE', u'685'), ('DOI', u'10.1007/s00028-016-0333-7'), ('REFPLAINTEXT', u'Xiang, Z.Y.: On the Cauchy problem for the compressible Hall-magneto-hydrodynamic equatioins. J. Evol. Equ. 17, 685–715 (2017)'), ('REFSTR', "{u'bibunstructured': u'Xiang, Z.Y.: On the Cauchy problem for the compressible Hall-magneto-hydrodynamic equatioins. J. Evol. Equ. 17, 685\\u2013715 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Xiang', u'initials': u'ZY'}, u'occurrence': [{u'handle': u'3665226', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00028-016-0333-7', u'@type': u'DOI'}], u'journaltitle': u'J. Evol. Equ.', u'volumeid': u'17', u'firstpage': u'685', u'lastpage': u'715', u'year': u'2017', u'articletitle': {u'#text': u'On the Cauchy problem for the compressible Hall-magneto-hydrodynamic equatioins', u'@language': u'En'}}, u'citationnumber': u'34.', u'@id': u'CR34'}")], [('AUTHOR_FIRST_NAME', u'JW'), ('AUTHOR_LAST_NAME', u'Zhang'), ('AUTHOR_FIRST_NAME', u'JN'), ('AUTHOR_LAST_NAME', u'Zhao'), ('TITLE', u'Some'), ('TITLE', u'decay'), ('TITLE', u'estimates'), ('TITLE', u'of'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'3-'), ('TITLE', u'D'), ('TITLE', u'compressible'), ('TITLE', u'isentropic'), ('TITLE', u'magnetohydrodynamics'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'8'), ('YEAR', u'2010'), ('PAGE', u'835'), ('DOI', u'10.4310/CMS.2010.v8.n4.a2'), ('REFPLAINTEXT', u'Zhang, J.W., Zhao, J.N.: Some decay estimates of solutions for the 3-D compressible isentropic magnetohydrodynamics. Commun. Math. Sci. 8, 835–850 (2010)'), ('REFSTR', "{u'bibunstructured': u'Zhang, J.W., Zhao, J.N.: Some decay estimates of solutions for the 3-D compressible isentropic magnetohydrodynamics. Commun. Math. Sci. 8, 835\\u2013850 (2010)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zhang', u'initials': u'JW'}, {u'familyname': u'Zhao', u'initials': u'JN'}], u'occurrence': [{u'handle': u'2744908', u'@type': u'AMSID'}, {u'handle': u'10.4310/CMS.2010.v8.n4.a2', u'@type': u'DOI'}], u'journaltitle': u'Commun. Math. Sci.', u'volumeid': u'8', u'firstpage': u'835', u'lastpage': u'850', u'year': u'2010', u'articletitle': {u'#text': u'Some decay estimates of solutions for the 3-D compressible isentropic magnetohydrodynamics', u'@language': u'En'}}, u'citationnumber': u'35.', u'@id': u'CR35'}")], [('AUTHOR_FIRST_NAME', u'A-L'), ('AUTHOR_LAST_NAME', u'Bessoud'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Krasucki'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Michaille'), ('TITLE', u'Multi-'), ('TITLE', u'materials'), ('TITLE', u'with'), ('TITLE', u'strong'), ('TITLE', u'interface:'), ('TITLE', u'variational'), ('TITLE', u'modelings'), ('JOURNAL', u'Asymptot.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'61'), ('YEAR', u'2009'), ('PAGE', u'1'), ('REFPLAINTEXT', u'Bessoud, A.-L., Krasucki, F., Michaille, G.: Multi-materials with strong interface: variational modelings. Asymptot. Anal. 61, 1–19 (2009)'), ('REFSTR', "{u'bibunstructured': u'Bessoud, A.-L., Krasucki, F., Michaille, G.: Multi-materials with strong interface: variational modelings. Asymptot. Anal. 61, 1\\u201319 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bessoud', u'initials': u'A-L'}, {u'familyname': u'Krasucki', u'initials': u'F'}, {u'familyname': u'Michaille', u'initials': u'G'}], u'occurrence': [{u'handle': u'2483518', u'@type': u'AMSID'}, {u'handle': u'1201.35032', u'@type': u'ZLBID'}], u'journaltitle': u'Asymptot. Anal.', u'volumeid': u'61', u'firstpage': u'1', u'lastpage': u'19', u'year': u'2009', u'articletitle': {u'#text': u'Multi-materials with strong interface: variational modelings', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Bonnet'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Constantinescu'), ('TITLE', u'Inverse'), ('TITLE', u'problems'), ('TITLE', u'in'), ('TITLE', u'elasticity'), ('JOURNAL', u'Inverse'), ('JOURNAL', u'Probl.'), ('VOLUME', u'21'), ('YEAR', u'2005'), ('PAGE', u'R1'), ('DOI', u'10.1088/0266-5611/21/2/R01'), ('REFPLAINTEXT', u'Bonnet, M., Constantinescu, A.: Inverse problems in elasticity. Inverse Probl. 21, R1–R50 (2005)'), ('REFSTR', "{u'bibunstructured': u'Bonnet, M., Constantinescu, A.: Inverse problems in elasticity. Inverse Probl. 21, R1\\u2013R50 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bonnet', u'initials': u'M'}, {u'familyname': u'Constantinescu', u'initials': u'A'}], u'occurrence': [{u'handle': u'2146268', u'@type': u'AMSID'}, {u'handle': u'10.1088/0266-5611/21/2/R01', u'@type': u'DOI'}], u'journaltitle': u'Inverse Probl.', u'volumeid': u'21', u'firstpage': u'R1', u'lastpage': u'R50', u'year': u'2005', u'articletitle': {u'#text': u'Inverse problems in elasticity', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")], [('AUTHOR_FIRST_NAME', u'GP'), ('AUTHOR_LAST_NAME', u'Cherepanov'), ('YEAR', u'1979'), ('PUBLISHER', u'Mechanics'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Brittle'), ('PUBLISHER', u'Fracture'), ('REFPLAINTEXT', u'Cherepanov, G.P.: Mechanics of Brittle Fracture. McGraw-Hill, New York (1979)'), ('REFSTR', "{u'bibunstructured': u'Cherepanov, G.P.: Mechanics of Brittle Fracture. McGraw-Hill, New York (1979)', u'citationnumber': u'3.', u'@id': u'CR3', u'bibbook': {u'bibauthorname': {u'familyname': u'Cherepanov', u'initials': u'GP'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0442.73100', u'@type': u'ZLBID'}, u'booktitle': u'Mechanics of Brittle Fracture', u'year': u'1979', u'publishername': u'McGraw-Hill'}}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Eskin'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Ralston'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'inverse'), ('TITLE', u'boundary'), ('TITLE', u'value'), ('TITLE', u'problem'), ('TITLE', u'for'), ('TITLE', u'linear'), ('TITLE', u'isotropic'), ('TITLE', u'elasticity'), ('JOURNAL', u'Inverse'), ('JOURNAL', u'Probl.'), ('VOLUME', u'18'), ('YEAR', u'2002'), ('PAGE', u'907'), ('DOI', u'10.1088/0266-5611/18/3/324'), ('REFPLAINTEXT', u'Eskin, G., Ralston, J.: On the inverse boundary value problem for linear isotropic elasticity. Inverse Probl. 18, 907–921 (2002)'), ('REFSTR', "{u'bibunstructured': u'Eskin, G., Ralston, J.: On the inverse boundary value problem for linear isotropic elasticity. Inverse Probl. 18, 907\\u2013921 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eskin', u'initials': u'G'}, {u'familyname': u'Ralston', u'initials': u'J'}], u'occurrence': [{u'handle': u'1910209', u'@type': u'AMSID'}, {u'handle': u'10.1088/0266-5611/18/3/324', u'@type': u'DOI'}], u'journaltitle': u'Inverse Probl.', u'volumeid': u'18', u'firstpage': u'907', u'lastpage': u'921', u'year': u'2002', u'articletitle': {u'#text': u'On the inverse boundary value problem for linear isotropic elasticity', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Grisvard'), ('YEAR', u'1992'), ('PUBLISHER', u'Singularities'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Boundary'), ('PUBLISHER', u'Value'), ('PUBLISHER', u'Problems'), ('REFPLAINTEXT', u'Grisvard, P.: Singularities in Boundary Value Problems. Springer, Paris (1992)'), ('REFSTR', "{u'bibunstructured': u'Grisvard, P.: Singularities in Boundary Value Problems. Springer, Paris (1992)', u'citationnumber': u'5.', u'@id': u'CR5', u'bibbook': {u'bibauthorname': {u'familyname': u'Grisvard', u'initials': u'P'}, u'publisherlocation': u'Paris', u'occurrence': {u'handle': u'0766.35001', u'@type': u'ZLBID'}, u'booktitle': u'Singularities in Boundary Value Problems', u'year': u'1992', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Ikehata'), ('TITLE', u'Reconstruction'), ('TITLE', u'of'), ('TITLE', u'inclusion'), ('TITLE', u'from'), ('TITLE', u'boundary'), ('TITLE', u'measurements'), ('JOURNAL', u'J.'), ('JOURNAL', u'Inverse'), ('JOURNAL', u'Ill'), ('JOURNAL', u'Posed'), ('JOURNAL', u'Probl.'), ('VOLUME', u'10'), ('YEAR', u'2002'), ('PAGE', u'37'), ('DOI', u'10.1515/jiip.2002.10.1.37'), ('REFPLAINTEXT', u'Ikehata, M.: Reconstruction of inclusion from boundary measurements. J. Inverse Ill Posed Probl. 10, 37–65 (2002)'), ('REFSTR', "{u'bibunstructured': u'Ikehata, M.: Reconstruction of inclusion from boundary measurements. J. Inverse Ill Posed Probl. 10, 37\\u201365 (2002)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Ikehata', u'initials': u'M'}, u'occurrence': [{u'handle': u'1889237', u'@type': u'AMSID'}, {u'handle': u'10.1515/jiip.2002.10.1.37', u'@type': u'DOI'}], u'journaltitle': u'J. Inverse Ill Posed Probl.', u'volumeid': u'10', u'firstpage': u'37', u'lastpage': u'65', u'year': u'2002', u'articletitle': {u'#text': u'Reconstruction of inclusion from boundary measurements', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")], [('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Itou'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('AUTHOR_FIRST_NAME', u'KR'), ('AUTHOR_LAST_NAME', u'Rajagopal'), ('TITLE', u'Nonlinear'), ('TITLE', u'elasticity'), ('TITLE', u'with'), ('TITLE', u'limiting'), ('TITLE', u'small'), ('TITLE', u'strain'), ('TITLE', u'for'), ('TITLE', u'cracks'), ('TITLE', u'subject'), ('TITLE', u'to'), ('TITLE', u'non-'), ('TITLE', u'penetration'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'22'), ('YEAR', u'2017'), ('PAGE', u'1334'), ('DOI', u'10.1177/1081286516632380'), ('REFPLAINTEXT', u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Nonlinear elasticity with limiting small strain for cracks subject to non-penetration. Math. Mech. Solids 22, 1334–1346 (2017)'), ('REFSTR', "{u'bibunstructured': u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Nonlinear elasticity with limiting small strain for cracks subject to non-penetration. Math. Mech. Solids 22, 1334\\u20131346 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Itou', u'initials': u'H'}, {u'familyname': u'Kovtunenko', u'initials': u'VA'}, {u'familyname': u'Rajagopal', u'initials': u'KR'}], u'occurrence': [{u'handle': u'3659617', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286516632380', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'22', u'firstpage': u'1334', u'lastpage': u'1346', u'year': u'2017', u'articletitle': {u'#text': u'Nonlinear elasticity with limiting small strain for cracks subject to non-penetration', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")], [('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Itou'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('AUTHOR_FIRST_NAME', u'KR'), ('AUTHOR_LAST_NAME', u'Rajagopal'), ('TITLE', u'Contacting'), ('TITLE', u'crack'), ('TITLE', u'faces'), ('TITLE', u'within'), ('TITLE', u'the'), ('TITLE', u'context'), ('TITLE', u'of'), ('TITLE', u'bodies'), ('TITLE', u'exhibiting'), ('TITLE', u'limiting'), ('TITLE', u'strains'), ('JOURNAL', u'JSIAM'), ('JOURNAL', u'Lett.'), ('VOLUME', u'9'), ('YEAR', u'2017'), ('PAGE', u'61'), ('DOI', u'10.14495/jsiaml.9.61'), ('REFPLAINTEXT', u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Contacting crack faces within the context of bodies exhibiting limiting strains. JSIAM Lett. 9, 61–64 (2017)'), ('REFSTR', "{u'bibunstructured': u'Itou, H., Kovtunenko, V.A., Rajagopal, K.R.: Contacting crack faces within the context of bodies exhibiting limiting strains. JSIAM Lett. 9, 61\\u201364 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Itou', u'initials': u'H'}, {u'familyname': u'Kovtunenko', u'initials': u'VA'}, {u'familyname': u'Rajagopal', u'initials': u'KR'}], u'occurrence': [{u'handle': u'3705146', u'@type': u'AMSID'}, {u'handle': u'10.14495/jsiaml.9.61', u'@type': u'DOI'}], u'journaltitle': u'JSIAM Lett.', u'volumeid': u'9', u'firstpage': u'61', u'lastpage': u'64', u'year': u'2017', u'articletitle': {u'#text': u'Contacting crack faces within the context of bodies exhibiting limiting strains', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Jadamba'), ('AUTHOR_FIRST_NAME', u'AA'), ('AUTHOR_LAST_NAME', u'Khan'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Racitic'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'inverse'), ('TITLE', u'problem'), ('TITLE', u'of'), ('TITLE', u'identifying'), ('TITLE', u'Lam'), ('TITLE', u'coefficients'), ('TITLE', u'in'), ('TITLE', u'linear'), ('TITLE', u'elasticity'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'56'), ('YEAR', u'2008'), ('PAGE', u'431'), ('DOI', u'10.1016/j.camwa.2007.12.016'), ('REFPLAINTEXT', u'Jadamba, B., Khan, A.A., Racitic, F.: On the inverse problem of identifying Lamé coefficients in linear elasticity. Comput. Math. Appl. 56, 431–443 (2008)'), ('REFSTR', "{u'bibunstructured': u'Jadamba, B., Khan, A.A., Racitic, F.: On the inverse problem of identifying Lam\\xe9 coefficients in linear elasticity. Comput. Math. Appl. 56, 431\\u2013443 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Jadamba', u'initials': u'B'}, {u'familyname': u'Khan', u'initials': u'AA'}, {u'familyname': u'Racitic', u'initials': u'F'}], u'occurrence': [{u'handle': u'2442664', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2007.12.016', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'56', u'firstpage': u'431', u'lastpage': u'443', u'year': u'2008', u'articletitle': {u'#text': u'On the inverse problem of identifying Lam\\xe9 coefficients in linear elasticity', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('YEAR', u'2000'), ('PUBLISHER', u'Analysis'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Cracks'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Solids'), ('REFPLAINTEXT', u'Khludnev, A.M., Kovtunenko, V.A.: Analysis of Cracks in Solids. WIT Press, Southampton (2000)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M., Kovtunenko, V.A.: Analysis of Cracks in Solids. WIT Press, Southampton (2000)', u'citationnumber': u'10.', u'@id': u'CR10', u'bibbook': {u'publisherlocation': u'Southampton', u'bibauthorname': [{u'familyname': u'Khludnev', u'initials': u'AM'}, {u'familyname': u'Kovtunenko', u'initials': u'VA'}], u'publishername': u'WIT Press', u'booktitle': u'Analysis of Cracks in Solids', u'year': u'2000'}}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('YEAR', u'2010'), ('PUBLISHER', u'Elasticity'), ('PUBLISHER', u'Problems'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Non-'), ('PUBLISHER', u'smooth'), ('PUBLISHER', u'Domains'), ('REFPLAINTEXT', u'Khludnev, A.M.: Elasticity Problems in Non-smooth Domains. Fizmatlit, Moscow (2010)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Elasticity Problems in Non-smooth Domains. Fizmatlit, Moscow (2010)', u'citationnumber': u'11.', u'@id': u'CR11', u'bibbook': {u'publisherlocation': u'Moscow', u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'publishername': u'Fizmatlit', u'booktitle': u'Elasticity Problems in Non-smooth Domains', u'year': u'2010'}}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('AUTHOR_FIRST_NAME', u'TS'), ('AUTHOR_LAST_NAME', u'Popova'), ('TITLE', u'Semirigid'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies:'), ('TITLE', u'mechanical'), ('TITLE', u'interplay'), ('TITLE', u'and'), ('TITLE', u'optimal'), ('TITLE', u'control'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'77'), ('YEAR', u'2019'), ('PAGE', u'253'), ('DOI', u'10.1016/j.camwa.2018.09.030'), ('REFPLAINTEXT', u'Khludnev, A.M., Popova, T.S.: Semirigid inclusions in elastic bodies: mechanical interplay and optimal control. Comput. Math. Appl. 77, 253–262 (2019)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M., Popova, T.S.: Semirigid inclusions in elastic bodies: mechanical interplay and optimal control. Comput. Math. Appl. 77, 253\\u2013262 (2019)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Khludnev', u'initials': u'AM'}, {u'familyname': u'Popova', u'initials': u'TS'}], u'occurrence': [{u'handle': u'3907414', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2018.09.030', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'77', u'firstpage': u'253', u'lastpage': u'262', u'year': u'2019', u'articletitle': {u'#text': u'Semirigid inclusions in elastic bodies: mechanical interplay and optimal control', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'Rigidity'), ('TITLE', u'parameter'), ('TITLE', u'identification'), ('TITLE', u'for'), ('TITLE', u'thin'), ('TITLE', u'inclusions'), ('TITLE', u'located'), ('TITLE', u'inside'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('JOURNAL', u'J.'), ('JOURNAL', u'Opt.'), ('JOURNAL', u'Theory'), ('JOURNAL', u'Appl.'), ('VOLUME', u'172'), ('YEAR', u'2017'), ('PAGE', u'281'), ('DOI', u'10.1007/s10957-016-1025-8'), ('REFPLAINTEXT', u'Khludnev, A.M.: Rigidity parameter identification for thin inclusions located inside elastic bodies. J. Opt. Theory Appl. 172, 281–297 (2017)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Rigidity parameter identification for thin inclusions located inside elastic bodies. J. Opt. Theory Appl. 172, 281\\u2013297 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3596873', u'@type': u'AMSID'}, {u'handle': u'10.1007/s10957-016-1025-8', u'@type': u'DOI'}], u'journaltitle': u'J. Opt. Theory Appl.', u'volumeid': u'172', u'firstpage': u'281', u'lastpage': u'297', u'year': u'2017', u'articletitle': {u'#text': u'Rigidity parameter identification for thin inclusions located inside elastic bodies', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'Equilibrium'), ('TITLE', u'of'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'body'), ('TITLE', u'with'), ('TITLE', u'closely'), ('TITLE', u'spaced'), ('TITLE', u'thin'), ('TITLE', u'inclusions'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'58'), ('YEAR', u'2018'), ('PAGE', u'1660'), ('DOI', u'10.1134/S096554251810007X'), ('REFPLAINTEXT', u'Khludnev, A.M.: Equilibrium of an elastic body with closely spaced thin inclusions. Comput. Math. Math. Phys. 58, 1660–1672 (2018)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Equilibrium of an elastic body with closely spaced thin inclusions. Comput. Math. Math. Phys. 58, 1660\\u20131672 (2018)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3874046', u'@type': u'AMSID'}, {u'handle': u'10.1134/S096554251810007X', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Math. Phys.', u'volumeid': u'58', u'firstpage': u'1660', u'lastpage': u'1672', u'year': u'2018', u'articletitle': {u'#text': u'Equilibrium of an elastic body with closely spaced thin inclusions', u'@language': u'En'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'Thin'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'crossing'), ('TITLE', u'an'), ('TITLE', u'external'), ('TITLE', u'boundary'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'95'), ('YEAR', u'2015'), ('PAGE', u'1256'), ('DOI', u'10.1002/zamm.201400103'), ('REFPLAINTEXT', u'Khludnev, A.M.: Thin inclusions in elastic bodies crossing an external boundary. Z. Angew. Math. Mech. 95, 1256–1267 (2015)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: Thin inclusions in elastic bodies crossing an external boundary. Z. Angew. Math. Mech. 95, 1256\\u20131267 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3424462', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201400103', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Mech.', u'volumeid': u'95', u'firstpage': u'1256', u'lastpage': u'1267', u'year': u'2015', u'articletitle': {u'#text': u'Thin inclusions in elastic bodies crossing an external boundary', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('AUTHOR_FIRST_NAME', u'TS'), ('AUTHOR_LAST_NAME', u'Popova'), ('TITLE', u'Timoshenko'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'crossing'), ('TITLE', u'an'), ('TITLE', u'external'), ('TITLE', u'boundary'), ('TITLE', u'at'), ('TITLE', u'zero'), ('TITLE', u'angle'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solida'), ('JOURNAL', u'Sin.'), ('VOLUME', u'30'), ('YEAR', u'2017'), ('PAGE', u'327'), ('REFPLAINTEXT', u'Khludnev, A.M., Popova, T.S.: Timoshenko inclusions in elastic bodies crossing an external boundary at zero angle. Acta Mech. Solida Sin. 30, 327–333 (2017)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M., Popova, T.S.: Timoshenko inclusions in elastic bodies crossing an external boundary at zero angle. Acta Mech. Solida Sin. 30, 327\\u2013333 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Khludnev', u'initials': u'AM'}, {u'familyname': u'Popova', u'initials': u'TS'}], u'occurrence': {u'handle': u'10.1016/j.camss.2017.05.005', u'@type': u'DOI'}, u'journaltitle': u'Acta Mech. Solida Sin.', u'volumeid': u'30', u'firstpage': u'327', u'lastpage': u'333', u'year': u'2017', u'articletitle': {u'#text': u'Timoshenko inclusions in elastic bodies crossing an external boundary at zero angle', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")], [('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Khludnev'), ('TITLE', u'On'), ('TITLE', u'thin'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'with'), ('TITLE', u'defects'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'70'), ('YEAR', u'2019'), ('PAGE', u'45'), ('DOI', u'10.1007/s00033-019-1091-5'), ('REFPLAINTEXT', u'Khludnev, A.M.: On thin inclusions in elastic bodies with defects. Z. Angew. Math. Phys. 70, 45 (2019)'), ('REFSTR', "{u'bibunstructured': u'Khludnev, A.M.: On thin inclusions in elastic bodies with defects. Z. Angew. Math. Phys. 70, 45 (2019)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Khludnev', u'initials': u'AM'}, u'occurrence': [{u'handle': u'3914948', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-019-1091-5', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'70', u'firstpage': u'45', u'year': u'2019', u'articletitle': {u'#text': u'On thin inclusions in elastic bodies with defects', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")], [('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Knees'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Schroder'), ('TITLE', u'Global'), ('TITLE', u'spatial'), ('TITLE', u'regularity'), ('TITLE', u'for'), ('TITLE', u'elasticity'), ('TITLE', u'models'), ('TITLE', u'with'), ('TITLE', u'cracks,'), ('TITLE', u'contact'), ('TITLE', u'and'), ('TITLE', u'other'), ('TITLE', u'nonsmooth'), ('TITLE', u'constraints'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Methods'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'35'), ('YEAR', u'2012'), ('PAGE', u'1859'), ('DOI', u'10.1002/mma.2598'), ('REFPLAINTEXT', u'Knees, D., Schroder, A.: Global spatial regularity for elasticity models with cracks, contact and other nonsmooth constraints. Math. Methods Appl. Sci. 35, 1859–1884 (2012)'), ('REFSTR', "{u'bibunstructured': u'Knees, D., Schroder, A.: Global spatial regularity for elasticity models with cracks, contact and other nonsmooth constraints. Math. Methods Appl. Sci. 35, 1859\\u20131884 (2012)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Knees', u'initials': u'D'}, {u'familyname': u'Schroder', u'initials': u'A'}], u'occurrence': [{u'handle': u'2982470', u'@type': u'AMSID'}, {u'handle': u'10.1002/mma.2598', u'@type': u'DOI'}], u'journaltitle': u'Math. Methods Appl. Sci.', u'volumeid': u'35', u'firstpage': u'1859', u'lastpage': u'1884', u'year': u'2012', u'articletitle': {u'#text': u'Global spatial regularity for elasticity models with cracks, contact and other nonsmooth constraints', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")], [('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Knowles'), ('TITLE', u'Parameter'), ('TITLE', u'identification'), ('TITLE', u'for'), ('TITLE', u'elliptic'), ('TITLE', u'problems'), ('JOURNAL', u'J.'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'131'), ('YEAR', u'2001'), ('PAGE', u'175'), ('DOI', u'10.1016/S0377-0427(00)00275-2'), ('REFPLAINTEXT', u'Knowles, I.: Parameter identification for elliptic problems. J. Comput. Appl. Math. 131, 175–194 (2001)'), ('REFSTR', "{u'bibunstructured': u'Knowles, I.: Parameter identification for elliptic problems. J. Comput. Appl. Math. 131, 175\\u2013194 (2001)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Knowles', u'initials': u'I'}, u'occurrence': [{u'handle': u'1835711', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0377-0427(00)00275-2', u'@type': u'DOI'}], u'journaltitle': u'J. Comput. Appl. Math.', u'volumeid': u'131', u'firstpage': u'175', u'lastpage': u'194', u'year': u'2001', u'articletitle': {u'#text': u'Parameter identification for elliptic problems', u'@language': u'En'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")], [('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kovtunenko'), ('TITLE', u'Primal-'), ('TITLE', u'dual'), ('TITLE', u'methods'), ('TITLE', u'of'), ('TITLE', u'shape'), ('TITLE', u'sensitivity'), ('TITLE', u'analysis'), ('TITLE', u'for'), ('TITLE', u'curvilinear'), ('TITLE', u'cracks'), ('TITLE', u'with'), ('TITLE', u'nonpenetration'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'71'), ('YEAR', u'2006'), ('PAGE', u'635'), ('DOI', u'10.1093/imamat/hxl014'), ('REFPLAINTEXT', u'Kovtunenko, V.A.: Primal-dual methods of shape sensitivity analysis for curvilinear cracks with nonpenetration. IMA J. Appl. Math. 71, 635–657 (2006)'), ('REFSTR', "{u'bibunstructured': u'Kovtunenko, V.A.: Primal-dual methods of shape sensitivity analysis for curvilinear cracks with nonpenetration. IMA J. Appl. Math. 71, 635\\u2013657 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Kovtunenko', u'initials': u'VA'}, u'occurrence': [{u'handle': u'2268880', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxl014', u'@type': u'DOI'}], u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'71', u'firstpage': u'635', u'lastpage': u'657', u'year': u'2006', u'articletitle': {u'#text': u'Primal-dual methods of shape sensitivity analysis for curvilinear cracks with nonpenetration', u'@language': u'En'}}, u'citationnumber': u'20.', u'@id': u'CR20'}")], [('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Kozlov'), ('AUTHOR_FIRST_NAME', u'VG'), ('AUTHOR_LAST_NAME', u'Mazya'), ('AUTHOR_FIRST_NAME', u'AB'), ('AUTHOR_LAST_NAME', u'Movchan'), ('YEAR', u'1999'), ('PUBLISHER', u'Asymptotic'), ('PUBLISHER', u'Analysis'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Fields'), ('PUBLISHER', u'in'), ('PUBLISHER', u'a'), ('PUBLISHER', u'Multi-'), ('PUBLISHER', u'structure.'), ('PUBLISHER', u'Oxford'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Monographs'), ('REFPLAINTEXT', u'Kozlov, V.A., Mazya, V.G., Movchan, A.B.: Asymptotic Analysis of Fields in a Multi-structure. Oxford Mathematical Monographs. Oxford University Press, New York (1999)'), ('REFSTR', "{u'bibunstructured': u'Kozlov, V.A., Mazya, V.G., Movchan, A.B.: Asymptotic Analysis of Fields in a Multi-structure. Oxford Mathematical Monographs. Oxford University Press, New York (1999)', u'citationnumber': u'21.', u'@id': u'CR21', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': [{u'familyname': u'Kozlov', u'initials': u'VA'}, {u'familyname': u'Mazya', u'initials': u'VG'}, {u'familyname': u'Movchan', u'initials': u'AB'}], u'publishername': u'Oxford University Press', u'booktitle': u'Asymptotic Analysis of Fields in a Multi-structure. Oxford Mathematical Monographs', u'year': u'1999'}}")], [('AUTHOR_FIRST_NAME', u'NP'), ('AUTHOR_LAST_NAME', u'Lazarev'), ('TITLE', u'Shape'), ('TITLE', u'sensitivity'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'energy'), ('TITLE', u'integrals'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'Timoshenko-'), ('TITLE', u'type'), ('TITLE', u'plate'), ('TITLE', u'containing'), ('TITLE', u'a'), ('TITLE', u'crack'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'boundary'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'rigid'), ('TITLE', u'inclusion'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('YEAR', u'2015'), ('PAGE', u'2025'), ('DOI', u'10.1007/s00033-014-0488-4'), ('REFPLAINTEXT', u'Lazarev, N.P.: Shape sensitivity analysis of the energy integrals for the Timoshenko-type plate containing a crack on the boundary of a rigid inclusion. Z. Angew. Math. Phys. 66, 2025–2040 (2015)'), ('REFSTR', "{u'bibunstructured': u'Lazarev, N.P.: Shape sensitivity analysis of the energy integrals for the Timoshenko-type plate containing a crack on the boundary of a rigid inclusion. Z. Angew. Math. Phys. 66, 2025\\u20132040 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Lazarev', u'initials': u'NP'}, u'occurrence': [{u'handle': u'3377729', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-014-0488-4', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'2025', u'lastpage': u'2040', u'year': u'2015', u'articletitle': {u'#text': u'Shape sensitivity analysis of the energy integrals for the Timoshenko-type plate containing a crack on the boundary of a rigid inclusion', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")], [('AUTHOR_FIRST_NAME', u'NP'), ('AUTHOR_LAST_NAME', u'Lazarev'), ('AUTHOR_FIRST_NAME', u'EM'), ('AUTHOR_LAST_NAME', u'Rudoy'), ('TITLE', u'Shape'), ('TITLE', u'sensitivity'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'Timoshenkos'), ('TITLE', u'plate'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'crack'), ('TITLE', u'under'), ('TITLE', u'the'), ('TITLE', u'nonpenetration'), ('TITLE', u'condition'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'94'), ('YEAR', u'2014'), ('PAGE', u'730'), ('DOI', u'10.1002/zamm.201200229'), ('REFPLAINTEXT', u'Lazarev, N.P., Rudoy, E.M.: Shape sensitivity analysis of Timoshenko’s plate with a crack under the nonpenetration condition. Z. Angew. Math. Mech. 94, 730–739 (2014)'), ('REFSTR', "{u'bibunstructured': u'Lazarev, N.P., Rudoy, E.M.: Shape sensitivity analysis of Timoshenko\\u2019s plate with a crack under the nonpenetration condition. Z. Angew. Math. Mech. 94, 730\\u2013739 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lazarev', u'initials': u'NP'}, {u'familyname': u'Rudoy', u'initials': u'EM'}], u'occurrence': [{u'handle': u'3259385', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201200229', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Mech.', u'volumeid': u'94', u'firstpage': u'730', u'lastpage': u'739', u'year': u'2014', u'articletitle': {u'#text': u'Shape sensitivity analysis of Timoshenko\\u2019s plate with a crack under the nonpenetration condition', u'@language': u'En'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")], [('AUTHOR_FIRST_NAME', u'NP'), ('AUTHOR_LAST_NAME', u'Lazarev'), ('AUTHOR_FIRST_NAME', u'EM'), ('AUTHOR_LAST_NAME', u'Rudoy'), ('TITLE', u'Optimal'), ('TITLE', u'size'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'rigid'), ('TITLE', u'thin'), ('TITLE', u'stiffener'), ('TITLE', u'reinforcing'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'plate'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'outer'), ('TITLE', u'edge'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'97'), ('YEAR', u'2017'), ('PAGE', u'716'), ('DOI', u'10.1002/zamm.201600291'), ('REFPLAINTEXT', u'Lazarev, N.P., Rudoy, E.M.: Optimal size of a rigid thin stiffener reinforcing an elastic plate on the outer edge. Z. Angew. Math. Mech. 97, 716–730 (2017)'), ('REFSTR', "{u'bibunstructured': u'Lazarev, N.P., Rudoy, E.M.: Optimal size of a rigid thin stiffener reinforcing an elastic plate on the outer edge. Z. Angew. Math. Mech. 97, 716\\u2013730 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lazarev', u'initials': u'NP'}, {u'familyname': u'Rudoy', u'initials': u'EM'}], u'occurrence': [{u'handle': u'3689455', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201600291', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Mech.', u'volumeid': u'97', u'firstpage': u'716', u'lastpage': u'730', u'year': u'2017', u'articletitle': {u'#text': u'Optimal size of a rigid thin stiffener reinforcing an elastic plate on the outer edge', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")], [('AUTHOR_FIRST_NAME', u'PK'), ('AUTHOR_LAST_NAME', u'Mallick'), ('YEAR', u'1993'), ('PUBLISHER', u'Fiber-'), ('PUBLISHER', u'Reinforced'), ('PUBLISHER', u'Composites.'), ('PUBLISHER', u'Materials,'), ('PUBLISHER', u'Manufacturing,'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Design'), ('REFPLAINTEXT', u'Mallick, P.K.: Fiber-Reinforced Composites. Materials, Manufacturing, and Design. Marcel Dekker, New York (1993)'), ('REFSTR', "{u'bibunstructured': u'Mallick, P.K.: Fiber-Reinforced Composites. Materials, Manufacturing, and Design. Marcel Dekker, New York (1993)', u'citationnumber': u'25.', u'@id': u'CR25', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Mallick', u'initials': u'PK'}, u'publishername': u'Marcel Dekker', u'booktitle': u'Fiber-Reinforced Composites. Materials, Manufacturing, and Design', u'year': u'1993'}}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Uhlmann'), ('TITLE', u'Identification'), ('TITLE', u'of'), ('TITLE', u'Lame'), ('TITLE', u'parameters'), ('TITLE', u'by'), ('TITLE', u'boundary'), ('TITLE', u'measurements'), ('JOURNAL', u'Am.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('VOLUME', u'115'), ('YEAR', u'1993'), ('PAGE', u'1161'), ('DOI', u'10.2307/2375069'), ('REFPLAINTEXT', u'Nakamura, G., Uhlmann, G.: Identification of Lame parameters by boundary measurements. Am. J. Math. 115, 1161–1187 (1993)'), ('REFSTR', "{u'bibunstructured': u'Nakamura, G., Uhlmann, G.: Identification of Lame parameters by boundary measurements. Am. J. Math. 115, 1161\\u20131187 (1993)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Uhlmann', u'initials': u'G'}], u'occurrence': [{u'handle': u'1246188', u'@type': u'AMSID'}, {u'handle': u'10.2307/2375069', u'@type': u'DOI'}], u'journaltitle': u'Am. J. Math.', u'volumeid': u'115', u'firstpage': u'1161', u'lastpage': u'1187', u'year': u'1993', u'articletitle': {u'#text': u'Identification of Lame parameters by boundary measurements', u'@language': u'En'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Nakamura'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Uhlmann'), ('TITLE', u'Global'), ('TITLE', u'uniqueness'), ('TITLE', u'for'), ('TITLE', u'an'), ('TITLE', u'inverse'), ('TITLE', u'boundary'), ('TITLE', u'value'), ('TITLE', u'problem'), ('TITLE', u'arising'), ('TITLE', u'in'), ('TITLE', u'elasticity'), ('JOURNAL', u'Invent.'), ('JOURNAL', u'Math.'), ('VOLUME', u'118'), ('YEAR', u'1994'), ('PAGE', u'457'), ('DOI', u'10.1007/BF01231541'), ('REFPLAINTEXT', u'Nakamura, G., Uhlmann, G.: Global uniqueness for an inverse boundary value problem arising in elasticity. Invent. Math. 118, 457–474 (1994)'), ('REFSTR', "{u'bibunstructured': u'Nakamura, G., Uhlmann, G.: Global uniqueness for an inverse boundary value problem arising in elasticity. Invent. Math. 118, 457\\u2013474 (1994)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Nakamura', u'initials': u'G'}, {u'familyname': u'Uhlmann', u'initials': u'G'}], u'occurrence': [{u'handle': u'1296354', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF01231541', u'@type': u'DOI'}], u'journaltitle': u'Invent. Math.', u'volumeid': u'118', u'firstpage': u'457', u'lastpage': u'474', u'year': u'1994', u'articletitle': {u'#text': u'Global uniqueness for an inverse boundary value problem arising in elasticity', u'@language': u'En'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Panasenko'), ('YEAR', u'2005'), ('PUBLISHER', u'Multi-'), ('PUBLISHER', u'scale'), ('PUBLISHER', u'Modelling'), ('PUBLISHER', u'for'), ('PUBLISHER', u'Structures'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Composites'), ('REFPLAINTEXT', u'Panasenko, G.: Multi-scale Modelling for Structures and Composites. Springer, New York (2005)'), ('REFSTR', "{u'bibunstructured': u'Panasenko, G.: Multi-scale Modelling for Structures and Composites. Springer, New York (2005)', u'citationnumber': u'28.', u'@id': u'CR28', u'bibbook': {u'bibauthorname': {u'familyname': u'Panasenko', u'initials': u'G'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'1078.74002', u'@type': u'ZLBID'}, u'booktitle': u'Multi-scale Modelling for Structures and Composites', u'year': u'2005', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'IM'), ('AUTHOR_LAST_NAME', u'Pasternak'), ('TITLE', u'Plane'), ('TITLE', u'problem'), ('TITLE', u'of'), ('TITLE', u'elasticity'), ('TITLE', u'theory'), ('TITLE', u'for'), ('TITLE', u'anisotropic'), ('TITLE', u'bodies'), ('TITLE', u'with'), ('TITLE', u'thin'), ('TITLE', u'elastic'), ('TITLE', u'inclusions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'186'), ('YEAR', u'2012'), ('PAGE', u'31'), ('DOI', u'10.1007/s10958-012-0971-4'), ('REFPLAINTEXT', u'Pasternak, I.M.: Plane problem of elasticity theory for anisotropic bodies with thin elastic inclusions. J. Math. Sci. 186, 31–47 (2012)'), ('REFSTR', "{u'bibunstructured': u'Pasternak, I.M.: Plane problem of elasticity theory for anisotropic bodies with thin elastic inclusions. J. Math. Sci. 186, 31\\u201347 (2012)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pasternak', u'initials': u'IM'}, u'occurrence': [{u'handle': u'2933721', u'@type': u'AMSID'}, {u'handle': u'10.1007/s10958-012-0971-4', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Sci.', u'volumeid': u'186', u'firstpage': u'31', u'lastpage': u'47', u'year': u'2012', u'articletitle': {u'#text': u'Plane problem of elasticity theory for anisotropic bodies with thin elastic inclusions', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Sofonea'), ('AUTHOR_FIRST_NAME', u'Y-B'), ('AUTHOR_LAST_NAME', u'Xiao'), ('TITLE', u'Boundary'), ('TITLE', u'optimal'), ('TITLE', u'control'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'nonsmooth'), ('TITLE', u'frictionless'), ('TITLE', u'contact'), ('TITLE', u'problem'), ('JOURNAL', u'Comput.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'78'), ('YEAR', u'2019'), ('PAGE', u'152'), ('DOI', u'10.1016/j.camwa.2019.02.027'), ('REFPLAINTEXT', u'Sofonea, M., Xiao, Y.-B.: Boundary optimal control of a nonsmooth frictionless contact problem. Comput. Math. Appl. 78, 152–165 (2019)'), ('REFSTR', "{u'bibunstructured': u'Sofonea, M., Xiao, Y.-B.: Boundary optimal control of a nonsmooth frictionless contact problem. Comput. Math. Appl. 78, 152\\u2013165 (2019)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Sofonea', u'initials': u'M'}, {u'familyname': u'Xiao', u'initials': u'Y-B'}], u'occurrence': [{u'handle': u'3949682', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.camwa.2019.02.027', u'@type': u'DOI'}], u'journaltitle': u'Comput. Math. Appl.', u'volumeid': u'78', u'firstpage': u'152', u'lastpage': u'165', u'year': u'2019', u'articletitle': {u'#text': u'Boundary optimal control of a nonsmooth frictionless contact problem', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")], [('AUTHOR_FIRST_NAME', u'VV'), ('AUTHOR_LAST_NAME', u'Shcherbakov'), ('TITLE', u'Choosing'), ('TITLE', u'an'), ('TITLE', u'optimal'), ('TITLE', u'shape'), ('TITLE', u'of'), ('TITLE', u'thin'), ('TITLE', u'rigid'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Tech.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'56'), ('YEAR', u'2015'), ('PAGE', u'321'), ('DOI', u'10.1134/S0021894415020182'), ('REFPLAINTEXT', u'Shcherbakov, V.V.: Choosing an optimal shape of thin rigid inclusions in elastic bodies. J. Appl. Mech. Tech. Phys. 56, 321–329 (2015)'), ('REFSTR', "{u'bibunstructured': u'Shcherbakov, V.V.: Choosing an optimal shape of thin rigid inclusions in elastic bodies. J. Appl. Mech. Tech. Phys. 56, 321\\u2013329 (2015)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Shcherbakov', u'initials': u'VV'}, u'occurrence': [{u'handle': u'3416031', u'@type': u'AMSID'}, {u'handle': u'10.1134/S0021894415020182', u'@type': u'DOI'}], u'journaltitle': u'J. Appl. Mech. Tech. Phys.', u'volumeid': u'56', u'firstpage': u'321', u'lastpage': u'329', u'year': u'2015', u'articletitle': {u'#text': u'Choosing an optimal shape of thin rigid inclusions in elastic bodies', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")], [('AUTHOR_FIRST_NAME', u'VV'), ('AUTHOR_LAST_NAME', u'Shcherbakov'), ('TITLE', u'Energy'), ('TITLE', u'release'), ('TITLE', u'rates'), ('TITLE', u'for'), ('TITLE', u'interfacial'), ('TITLE', u'cracks'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('TITLE', u'with'), ('TITLE', u'thin'), ('TITLE', u'semirigid'), ('TITLE', u'inclusions'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'68'), ('YEAR', u'2017'), ('PAGE', u'26'), ('DOI', u'10.1007/s00033-017-0769-9'), ('REFPLAINTEXT', u'Shcherbakov, V.V.: Energy release rates for interfacial cracks in elastic bodies with thin semirigid inclusions. Z. Angew. Math. Phys. 68, 26 (2017)'), ('REFSTR', "{u'bibunstructured': u'Shcherbakov, V.V.: Energy release rates for interfacial cracks in elastic bodies with thin semirigid inclusions. Z. Angew. Math. Phys. 68, 26 (2017)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Shcherbakov', u'initials': u'VV'}, u'occurrence': [{u'handle': u'3598792', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-017-0769-9', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'68', u'firstpage': u'26', u'year': u'2017', u'articletitle': {u'#text': u'Energy release rates for interfacial cracks in elastic bodies with thin semirigid inclusions', u'@language': u'En'}}, u'citationnumber': u'32.', u'@id': u'CR32'}")], [('AUTHOR_FIRST_NAME', u'BJ'), ('AUTHOR_LAST_NAME', u'Chen'), ('AUTHOR_FIRST_NAME', u'ZM'), ('AUTHOR_LAST_NAME', u'Xiao'), ('AUTHOR_FIRST_NAME', u'KM'), ('AUTHOR_LAST_NAME', u'Liew'), ('TITLE', u'Electroelastic'), ('TITLE', u'stress'), ('TITLE', u'analysis'), ('TITLE', u'for'), ('TITLE', u'a'), ('TITLE', u'wedge-'), ('TITLE', u'shaped'), ('TITLE', u'crack'), ('TITLE', u'interacting'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'solid'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'40'), ('YEAR', u'2002'), ('PAGE', u'621'), ('REFPLAINTEXT', u'Chen, B.J., Xiao, Z.M., Liew, K.M.: Electro–elastic stress analysis for a wedge-shaped crack interacting with a screw dislocation in piezoelectric solid. Int. J. Eng. Sci. 40, 621–635 (2002)'), ('REFSTR', "{u'bibunstructured': u'Chen, B.J., Xiao, Z.M., Liew, K.M.: Electro\\u2013elastic stress analysis for a wedge-shaped crack interacting with a screw dislocation in piezoelectric solid. Int. J. Eng. Sci. 40, 621\\u2013635 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chen', u'initials': u'BJ'}, {u'familyname': u'Xiao', u'initials': u'ZM'}, {u'familyname': u'Liew', u'initials': u'KM'}], u'occurrence': {u'handle': u'10.1016/S0020-7225(01)00093-3', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'40', u'firstpage': u'621', u'lastpage': u'635', u'year': u'2002', u'articletitle': {u'#text': u'Electro\\u2013elastic stress analysis for a wedge-shaped crack interacting with a screw dislocation in piezoelectric solid', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")], [('AUTHOR_FIRST_NAME', u'BJ'), ('AUTHOR_LAST_NAME', u'Chen'), ('AUTHOR_FIRST_NAME', u'ZM'), ('AUTHOR_LAST_NAME', u'Xiao'), ('AUTHOR_FIRST_NAME', u'KM'), ('AUTHOR_LAST_NAME', u'Liew'), ('TITLE', u'A'), ('TITLE', u'line'), ('TITLE', u'dislocation'), ('TITLE', u'interacting'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'solid'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'42'), ('YEAR', u'2004'), ('PAGE', u'1'), ('REFPLAINTEXT', u'Chen, B.J., Xiao, Z.M., Liew, K.M.: A line dislocation interacting with a semi-infinite crack in piezoelectric solid. Int. J. Eng. Sci. 42, 1–11 (2004)'), ('REFSTR', "{u'bibunstructured': u'Chen, B.J., Xiao, Z.M., Liew, K.M.: A line dislocation interacting with a semi-infinite crack in piezoelectric solid. Int. J. Eng. Sci. 42, 1\\u201311 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Chen', u'initials': u'BJ'}, {u'familyname': u'Xiao', u'initials': u'ZM'}, {u'familyname': u'Liew', u'initials': u'KM'}], u'occurrence': {u'handle': u'10.1016/S0020-7225(03)00279-9', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'42', u'firstpage': u'1', u'lastpage': u'11', u'year': u'2004', u'articletitle': {u'#text': u'A line dislocation interacting with a semi-infinite crack in piezoelectric solid', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")], [('REFPLAINTEXT', u'Deeg, W.F.: The Analysis of Dislocation, Crack, and Inclusion Problems in Piezoelectric Solids. Ph.D. thesis, Stanford University, Stanford, CA (1980)'), ('REFSTR', "{u'bibunstructured': u'Deeg, W.F.: The Analysis of Dislocation, Crack, and Inclusion Problems in Piezoelectric Solids. Ph.D. thesis, Stanford University, Stanford, CA (1980)', u'citationnumber': u'3.', u'@id': u'CR3'}")], [('AUTHOR_FIRST_NAME', u'KY'), ('AUTHOR_LAST_NAME', u'Lee'), ('AUTHOR_FIRST_NAME', u'WG'), ('AUTHOR_LAST_NAME', u'Lee'), ('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Interaction'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('TITLE', u'and'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'piezoelectric'), ('TITLE', u'material'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'67'), ('YEAR', u'2000'), ('PAGE', u'165'), ('REFPLAINTEXT', u'Lee, K.Y., Lee, W.G., Pak, Y.E.: Interaction between a semi-infinite crack and a screw dislocation in a piezoelectric material. ASME J. Appl. Mech. 67, 165–170 (2000)'), ('REFSTR', "{u'bibunstructured': u'Lee, K.Y., Lee, W.G., Pak, Y.E.: Interaction between a semi-infinite crack and a screw dislocation in a piezoelectric material. ASME J. Appl. Mech. 67, 165\\u2013170 (2000)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Lee', u'initials': u'KY'}, {u'familyname': u'Lee', u'initials': u'WG'}, {u'familyname': u'Pak', u'initials': u'YE'}], u'occurrence': {u'handle': u'10.1115/1.321172', u'@type': u'DOI'}, u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'67', u'firstpage': u'165', u'lastpage': u'170', u'year': u'2000', u'articletitle': {u'#text': u'Interaction between a semi-infinite crack and a screw dislocation in a piezoelectric material', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('AUTHOR_FIRST_NAME', u'CY'), ('AUTHOR_LAST_NAME', u'Li'), ('AUTHOR_FIRST_NAME', u'GJ'), ('AUTHOR_LAST_NAME', u'Weng'), ('TITLE', u'Yoffe-'), ('TITLE', u'type'), ('TITLE', u'moving'), ('TITLE', u'crack'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'functionally'), ('TITLE', u'graded'), ('TITLE', u'piezoelectric'), ('TITLE', u'material'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Lond.'), ('JOURNAL', u'A'), ('VOLUME', u'458'), ('YEAR', u'2002'), ('PAGE', u'381'), ('DOI', u'10.1098/rspa.2001.0873'), ('REFPLAINTEXT', u'Li, C.Y., Weng, G.J.: Yoffe-type moving crack in a functionally graded piezoelectric material. Proc. R. Soc. Lond. A 458, 381–399 (2002)'), ('REFSTR', "{u'bibunstructured': u'Li, C.Y., Weng, G.J.: Yoffe-type moving crack in a functionally graded piezoelectric material. Proc. R. Soc. Lond. A 458, 381\\u2013399 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Li', u'initials': u'CY'}, {u'familyname': u'Weng', u'initials': u'GJ'}], u'occurrence': [{u'handle': u'1889934', u'@type': u'AMSID'}, {u'handle': u'10.1098/rspa.2001.0873', u'@type': u'DOI'}], u'journaltitle': u'Proc. R. Soc. Lond. A', u'volumeid': u'458', u'firstpage': u'381', u'lastpage': u'399', u'year': u'2002', u'articletitle': {u'#text': u'Yoffe-type moving crack in a functionally graded piezoelectric material', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")], [('AUTHOR_FIRST_NAME', u'BS'), ('AUTHOR_LAST_NAME', u'Majumdar'), ('AUTHOR_FIRST_NAME', u'SJ'), ('AUTHOR_LAST_NAME', u'Burns'), ('TITLE', u'Crack'), ('TITLE', u'tip'), ('TITLE', u'shieldingan'), ('TITLE', u'elastic'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'dislocations'), ('TITLE', u'and'), ('TITLE', u'dislocation'), ('TITLE', u'arrays'), ('TITLE', u'near'), ('TITLE', u'a'), ('TITLE', u'sharp'), ('TITLE', u'crack'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Metall.'), ('VOLUME', u'29'), ('YEAR', u'1981'), ('PAGE', u'579'), ('REFPLAINTEXT', u'Majumdar, B.S., Burns, S.J.: Crack tip shielding—an elastic theory of dislocations and dislocation arrays near a sharp crack. Acta Metall. 29, 579–588 (1981)'), ('REFSTR', "{u'bibunstructured': u'Majumdar, B.S., Burns, S.J.: Crack tip shielding\\u2014an elastic theory of dislocations and dislocation arrays near a sharp crack. Acta Metall. 29, 579\\u2013588 (1981)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Majumdar', u'initials': u'BS'}, {u'familyname': u'Burns', u'initials': u'SJ'}], u'occurrence': {u'handle': u'10.1016/0001-6160(81)90139-5', u'@type': u'DOI'}, u'journaltitle': u'Acta Metall.', u'volumeid': u'29', u'firstpage': u'579', u'lastpage': u'588', u'year': u'1981', u'articletitle': {u'#text': u'Crack tip shielding\\u2014an elastic theory of dislocations and dislocation arrays near a sharp crack', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")], [('AUTHOR_FIRST_NAME', u'SA'), ('AUTHOR_LAST_NAME', u'Meguid'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Deng'), ('TITLE', u'Electroelastic'), ('TITLE', u'interaction'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'and'), ('TITLE', u'an'), ('TITLE', u'elliptical'), ('TITLE', u'inhomogeneity'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'materials'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'35'), ('YEAR', u'1998'), ('PAGE', u'1467'), ('REFPLAINTEXT', u'Meguid, S.A., Deng, W.: Electro–elastic interaction between a screw dislocation and an elliptical inhomogeneity in piezoelectric materials. Int. J. Solids Struct. 35, 1467–1482 (1998)'), ('REFSTR', "{u'bibunstructured': u'Meguid, S.A., Deng, W.: Electro\\u2013elastic interaction between a screw dislocation and an elliptical inhomogeneity in piezoelectric materials. Int. J. Solids Struct. 35, 1467\\u20131482 (1998)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Meguid', u'initials': u'SA'}, {u'familyname': u'Deng', u'initials': u'W'}], u'occurrence': {u'handle': u'10.1016/S0020-7683(97)00116-9', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'35', u'firstpage': u'1467', u'lastpage': u'1482', u'year': u'1998', u'articletitle': {u'#text': u'Electro\\u2013elastic interaction between a screw dislocation and an elliptical inhomogeneity in piezoelectric materials', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")], [('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Crack'), ('TITLE', u'extension'), ('TITLE', u'force'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'piezoelectric'), ('TITLE', u'material'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'57'), ('YEAR', u'1990'), ('PAGE', u'647'), ('REFPLAINTEXT', u'Pak, Y.E.: Crack extension force in a piezoelectric material. ASME J. Appl. Mech. 57, 647–653 (1990a)'), ('REFSTR', "{u'bibunstructured': u'Pak, Y.E.: Crack extension force in a piezoelectric material. ASME J. Appl. Mech. 57, 647\\u2013653 (1990a)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pak', u'initials': u'YE'}, u'occurrence': {u'handle': u'10.1115/1.2897071', u'@type': u'DOI'}, u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'57', u'firstpage': u'647', u'lastpage': u'653', u'year': u'1990', u'articletitle': {u'#text': u'Crack extension force in a piezoelectric material', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Force'), ('TITLE', u'on'), ('TITLE', u'a'), ('TITLE', u'piezoelectric'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'57'), ('YEAR', u'1990'), ('PAGE', u'863'), ('REFPLAINTEXT', u'Pak, Y.E.: Force on a piezoelectric screw dislocation. ASME J. Appl. Mech. 57, 863–869 (1990b)'), ('REFSTR', "{u'bibunstructured': u'Pak, Y.E.: Force on a piezoelectric screw dislocation. ASME J. Appl. Mech. 57, 863\\u2013869 (1990b)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pak', u'initials': u'YE'}, u'occurrence': {u'handle': u'10.1115/1.2897653', u'@type': u'DOI'}, u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'57', u'firstpage': u'863', u'lastpage': u'869', u'year': u'1990', u'articletitle': {u'#text': u'Force on a piezoelectric screw dislocation', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'YE'), ('AUTHOR_LAST_NAME', u'Pak'), ('TITLE', u'Circular'), ('TITLE', u'inclusion'), ('TITLE', u'problem'), ('TITLE', u'in'), ('TITLE', u'antiplane'), ('TITLE', u'piezoelectricity'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'29'), ('YEAR', u'1992'), ('PAGE', u'2403'), ('REFPLAINTEXT', u'Pak, Y.E.: Circular inclusion problem in antiplane piezoelectricity. Int. J. Solids Struct. 29, 2403–2419 (1992)'), ('REFSTR', "{u'bibunstructured': u'Pak, Y.E.: Circular inclusion problem in antiplane piezoelectricity. Int. J. Solids Struct. 29, 2403\\u20132419 (1992)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Pak', u'initials': u'YE'}, u'occurrence': {u'handle': u'10.1016/0020-7683(92)90223-G', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'29', u'firstpage': u'2403', u'lastpage': u'2419', u'year': u'1992', u'articletitle': {u'#text': u'Circular inclusion problem in antiplane piezoelectricity', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")], [('AUTHOR_FIRST_NAME', u'CQ'), ('AUTHOR_LAST_NAME', u'Ru'), ('TITLE', u'Analytic'), ('TITLE', u'solution'), ('TITLE', u'for'), ('TITLE', u'Eshelbys'), ('TITLE', u'problem'), ('TITLE', u'of'), ('TITLE', u'an'), ('TITLE', u'inclusion'), ('TITLE', u'of'), ('TITLE', u'arbitrary'), ('TITLE', u'shape'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'plane'), ('TITLE', u'or'), ('TITLE', u'half-'), ('TITLE', u'plane'), ('JOURNAL', u'ASME'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'66'), ('YEAR', u'1999'), ('PAGE', u'315'), ('DOI', u'10.1115/1.2791051'), ('REFPLAINTEXT', u'Ru, C.Q.: Analytic solution for Eshelby’s problem of an inclusion of arbitrary shape in a plane or half-plane. ASME J. Appl. Mech. 66, 315–322 (1999)'), ('REFSTR', "{u'bibunstructured': u'Ru, C.Q.: Analytic solution for Eshelby\\u2019s problem of an inclusion of arbitrary shape in a plane or half-plane. ASME J. Appl. Mech. 66, 315\\u2013322 (1999)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Ru', u'initials': u'CQ'}, u'occurrence': [{u'handle': u'1698732', u'@type': u'AMSID'}, {u'handle': u'10.1115/1.2791051', u'@type': u'DOI'}], u'journaltitle': u'ASME J. Appl. Mech.', u'volumeid': u'66', u'firstpage': u'315', u'lastpage': u'322', u'year': u'1999', u'articletitle': {u'#text': u'Analytic solution for Eshelby\\u2019s problem of an inclusion of arbitrary shape in a plane or half-plane', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")], [('AUTHOR_FIRST_NAME', u'ZG'), ('AUTHOR_LAST_NAME', u'Suo'), ('TITLE', u'Singularities'), ('TITLE', u'interacting'), ('TITLE', u'with'), ('TITLE', u'interfaces'), ('TITLE', u'and'), ('TITLE', u'cracks'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'25'), ('YEAR', u'1989'), ('PAGE', u'1133'), ('REFPLAINTEXT', u'Suo, Z.G.: Singularities interacting with interfaces and cracks. Int. J. Solids Struct. 25, 1133–1142 (1989)'), ('REFSTR', "{u'bibunstructured': u'Suo, Z.G.: Singularities interacting with interfaces and cracks. Int. J. Solids Struct. 25, 1133\\u20131142 (1989)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Suo', u'initials': u'ZG'}, u'occurrence': {u'handle': u'10.1016/0020-7683(89)90096-6', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'25', u'firstpage': u'1133', u'lastpage': u'1142', u'year': u'1989', u'articletitle': {u'#text': u'Singularities interacting with interfaces and cracks', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")], [('AUTHOR_FIRST_NAME', u'Z'), ('AUTHOR_LAST_NAME', u'Suo'), ('AUTHOR_FIRST_NAME', u'CM'), ('AUTHOR_LAST_NAME', u'Kuo'), ('AUTHOR_FIRST_NAME', u'DM'), ('AUTHOR_LAST_NAME', u'Barnett'), ('AUTHOR_FIRST_NAME', u'JR'), ('AUTHOR_LAST_NAME', u'Willis'), ('TITLE', u'Fracture'), ('TITLE', u'mechanics'), ('TITLE', u'for'), ('TITLE', u'piezoelectric'), ('TITLE', u'ceramics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Solids'), ('VOLUME', u'40'), ('YEAR', u'1992'), ('PAGE', u'739'), ('DOI', u'10.1016/0022-5096(92)90002-J'), ('REFPLAINTEXT', u'Suo, Z., Kuo, C.M., Barnett, D.M., Willis, J.R.: Fracture mechanics for piezoelectric ceramics. J. Mech. Phys. Solids 40, 739–765 (1992)'), ('REFSTR', "{u'bibunstructured': u'Suo, Z., Kuo, C.M., Barnett, D.M., Willis, J.R.: Fracture mechanics for piezoelectric ceramics. J. Mech. Phys. Solids 40, 739\\u2013765 (1992)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Suo', u'initials': u'Z'}, {u'familyname': u'Kuo', u'initials': u'CM'}, {u'familyname': u'Barnett', u'initials': u'DM'}, {u'familyname': u'Willis', u'initials': u'JR'}], u'occurrence': [{u'handle': u'1163485', u'@type': u'AMSID'}, {u'handle': u'10.1016/0022-5096(92)90002-J', u'@type': u'DOI'}], u'journaltitle': u'J. Mech. Phys. Solids', u'volumeid': u'40', u'firstpage': u'739', u'lastpage': u'765', u'year': u'1992', u'articletitle': {u'#text': u'Fracture mechanics for piezoelectric ceramics', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")], [('AUTHOR_FIRST_NAME', u'TCT'), ('AUTHOR_LAST_NAME', u'Ting'), ('YEAR', u'1996'), ('PUBLISHER', u'Anisotropic'), ('PUBLISHER', u'Elasticity:'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Ting, T.C.T.: Anisotropic Elasticity: Theory and Applications. Oxford University Press, New York (1996)'), ('REFSTR', "{u'bibunstructured': u'Ting, T.C.T.: Anisotropic Elasticity: Theory and Applications. Oxford University Press, New York (1996)', u'citationnumber': u'14.', u'@id': u'CR14', u'bibbook': {u'bibauthorname': {u'familyname': u'Ting', u'initials': u'TCT'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0883.73001', u'@type': u'ZLBID'}, u'booktitle': u'Anisotropic Elasticity: Theory and Applications', u'year': u'1996', u'publishername': u'Oxford University Press'}}")], [('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Fan'), ('TITLE', u'A'), ('TITLE', u'piezoelectric'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'bimaterial'), ('TITLE', u'with'), ('TITLE', u'surface'), ('TITLE', u'piezoelectricity'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Mech.'), ('VOLUME', u'226'), ('YEAR', u'2015'), ('PAGE', u'3317'), ('DOI', u'10.1007/s00707-015-1382-7'), ('REFPLAINTEXT', u'Wang, X., Fan, H.: A piezoelectric screw dislocation in a bimaterial with surface piezoelectricity. Acta Mech. 226, 3317–3331 (2015)'), ('REFSTR', "{u'bibunstructured': u'Wang, X., Fan, H.: A piezoelectric screw dislocation in a bimaterial with surface piezoelectricity. Acta Mech. 226, 3317\\u20133331 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Wang', u'initials': u'X'}, {u'familyname': u'Fan', u'initials': u'H'}], u'occurrence': [{u'handle': u'3395517', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00707-015-1382-7', u'@type': u'DOI'}], u'journaltitle': u'Acta Mech.', u'volumeid': u'226', u'firstpage': u'3317', u'lastpage': u'3331', u'year': u'2015', u'articletitle': {u'#text': u'A piezoelectric screw dislocation in a bimaterial with surface piezoelectricity', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Schiavone'), ('TITLE', u'Debonded'), ('TITLE', u'arc'), ('TITLE', u'shaped'), ('TITLE', u'interface'), ('TITLE', u'conducting'), ('TITLE', u'rigid'), ('TITLE', u'line'), ('TITLE', u'inclusions'), ('TITLE', u'in'), ('TITLE', u'piezoelectric'), ('TITLE', u'composites'), ('JOURNAL', u'Comptes'), ('JOURNAL', u'Rendus'), ('JOURNAL', u'Mecanique'), ('VOLUME', u'345'), ('YEAR', u'2017'), ('PAGE', u'724'), ('REFPLAINTEXT', u'Wang, X., Schiavone, P.: Debonded arc shaped interface conducting rigid line inclusions in piezoelectric composites. Comptes Rendus Mecanique 345, 724–731 (2017)'), ('REFSTR', "{u'bibunstructured': u'Wang, X., Schiavone, P.: Debonded arc shaped interface conducting rigid line inclusions in piezoelectric composites. Comptes Rendus Mecanique 345, 724\\u2013731 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Wang', u'initials': u'X'}, {u'familyname': u'Schiavone', u'initials': u'P'}], u'occurrence': {u'handle': u'10.1016/j.crme.2017.07.001', u'@type': u'DOI'}, u'journaltitle': u'Comptes Rendus Mecanique', u'volumeid': u'345', u'firstpage': u'724', u'lastpage': u'731', u'year': u'2017', u'articletitle': {u'#text': u'Debonded arc shaped interface conducting rigid line inclusions in piezoelectric composites', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")], [('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Schiavone'), ('TITLE', u'Interaction'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'completely'), ('TITLE', u'coated'), ('TITLE', u'semi-'), ('TITLE', u'infinite'), ('TITLE', u'crack'), ('TITLE', u'and'), ('TITLE', u'a'), ('TITLE', u'screw'), ('TITLE', u'dislocation'), ('JOURNAL', u'Zeitschrift'), ('JOURNAL', u'fur'), ('JOURNAL', u'angewandte'), ('JOURNAL', u'Mathematik'), ('JOURNAL', u'und'), ('JOURNAL', u'Physik'), ('VOLUME', u'70'), ('ISSUE', u'4'), ('YEAR', u'2019'), ('PAGE', u'116'), ('DOI', u'10.1007/s00033-019-1154-7'), ('REFPLAINTEXT', u'Wang, X., Schiavone, P.: Interaction between a completely coated semi-infinite crack and a screw dislocation. Zeitschrift fur angewandte Mathematik und Physik 70(4), 116 (2019)'), ('REFSTR', "{u'bibunstructured': u'Wang, X., Schiavone, P.: Interaction between a completely coated semi-infinite crack and a screw dislocation. Zeitschrift fur angewandte Mathematik und Physik 70(4), 116 (2019)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Wang', u'initials': u'X'}, {u'familyname': u'Schiavone', u'initials': u'P'}], u'issueid': u'4', u'journaltitle': u'Zeitschrift fur angewandte Mathematik und Physik', u'volumeid': u'70', u'firstpage': u'116', u'year': u'2019', u'articletitle': {u'#text': u'Interaction between a completely coated semi-infinite crack and a screw dislocation', u'@language': u'En'}, u'occurrence': [{u'handle': u'3982961', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-019-1154-7', u'@type': u'DOI'}]}, u'citationnumber': u'17.', u'@id': u'CR17'}")], [('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Harrison'), ('TITLE', u'Modelling'), ('TITLE', u'the'), ('TITLE', u'forming'), ('TITLE', u'mechanics'), ('TITLE', u'of'), ('TITLE', u'engineering'), ('TITLE', u'fabrics'), ('TITLE', u'using'), ('TITLE', u'a'), ('TITLE', u'mutually'), ('TITLE', u'constrained'), ('TITLE', u'pantographic'), ('TITLE', u'beam'), ('TITLE', u'and'), ('TITLE', u'membrane'), ('TITLE', u'mesh'), ('JOURNAL', u'Compos.'), ('JOURNAL', u'Part'), ('JOURNAL', u'A'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Sci.'), ('JOURNAL', u'Manuf.'), ('VOLUME', u'81'), ('YEAR', u'2016'), ('PAGE', u'145'), ('REFPLAINTEXT', u'Harrison, P.: Modelling the forming mechanics of engineering fabrics using a mutually constrained pantographic beam and membrane mesh. Compos. Part A Appl. Sci. Manuf. 81, 145–157 (2016)'), ('REFSTR', "{u'bibunstructured': u'Harrison, P.: Modelling the forming mechanics of engineering fabrics using a mutually constrained pantographic beam and membrane mesh. Compos. Part A Appl. Sci. Manuf. 81, 145\\u2013157 (2016)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Harrison', u'initials': u'P'}, u'occurrence': {u'handle': u'10.1016/j.compositesa.2015.11.005', u'@type': u'DOI'}, u'journaltitle': u'Compos. Part A Appl. Sci. Manuf.', u'volumeid': u'81', u'firstpage': u'145', u'lastpage': u'157', u'year': u'2016', u'articletitle': {u'#text': u'Modelling the forming mechanics of engineering fabrics using a mutually constrained pantographic beam and membrane mesh', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'1.', u'@id': u'CR1'}")], [('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Numerical'), ('TITLE', u'simulations'), ('TITLE', u'of'), ('TITLE', u'classical'), ('TITLE', u'problems'), ('TITLE', u'in'), ('TITLE', u'two-'), ('TITLE', u'dimensional'), ('TITLE', u'(non)'), ('TITLE', u'linear'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'108'), ('YEAR', u'2016'), ('PAGE', u'34'), ('DOI', u'10.1016/j.ijengsci.2016.08.003'), ('REFPLAINTEXT', u'Andreaus, U., dell’Isola, F., Giorgio, I., Placidi, L., Lekszycki, T., Rizzi, N.: Numerical simulations of classical problems in two-dimensional (non) linear second gradient elasticity. Int. J. Eng. Sci. 108, 34–50 (2016)'), ('REFSTR', "{u'bibunstructured': u'Andreaus, U., dell\\u2019Isola, F., Giorgio, I., Placidi, L., Lekszycki, T., Rizzi, N.: Numerical simulations of classical problems in two-dimensional (non) linear second gradient elasticity. Int. J. Eng. Sci. 108, 34\\u201350 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Andreaus', u'initials': u'U'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Placidi', u'initials': u'L'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'occurrence': [{u'handle': u'3546241', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.ijengsci.2016.08.003', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'108', u'firstpage': u'34', u'lastpage': u'50', u'year': u'2016', u'articletitle': {u'#text': u'Numerical simulations of classical problems in two-dimensional (non) linear second gradient elasticity', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")], [('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Auffray'), ('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Dirrenberger'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Rosi'), ('TITLE', u'A'), ('TITLE', u'complete'), ('TITLE', u'description'), ('TITLE', u'of'), ('TITLE', u'bi-'), ('TITLE', u'dimensional'), ('TITLE', u'anisotropic'), ('TITLE', u'strain-'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'69'), ('YEAR', u'2015'), ('PAGE', u'195'), ('REFPLAINTEXT', u'Auffray, N., Dirrenberger, J., Rosi, G.: A complete description of bi-dimensional anisotropic strain-gradient elasticity. Int. J. Solids Struct. 69, 195–206 (2015)'), ('REFSTR', "{u'bibunstructured': u'Auffray, N., Dirrenberger, J., Rosi, G.: A complete description of bi-dimensional anisotropic strain-gradient elasticity. Int. J. Solids Struct. 69, 195\\u2013206 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Auffray', u'initials': u'N'}, {u'familyname': u'Dirrenberger', u'initials': u'J'}, {u'familyname': u'Rosi', u'initials': u'G'}], u'occurrence': {u'handle': u'10.1016/j.ijsolstr.2015.04.036', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'69', u'firstpage': u'195', u'lastpage': u'206', u'year': u'2015', u'articletitle': {u'#text': u'A complete description of bi-dimensional anisotropic strain-gradient elasticity', u'@language': u'En'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Battista'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Rosa'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'dellErba'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Greco'), ('TITLE', u'Numerical'), ('TITLE', u'investigation'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'particle'), ('TITLE', u'system'), ('TITLE', u'compared'), ('TITLE', u'with'), ('TITLE', u'first'), ('TITLE', u'and'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'continua:'), ('TITLE', u'deformation'), ('TITLE', u'and'), ('TITLE', u'fracture'), ('TITLE', u'phenomena'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('YEAR', u'2016'), ('DOI', u'10.1177/1081286516657889'), ('REFPLAINTEXT', u'Battista, A., Rosa, L., dell’Erba, R., Greco, L.: Numerical investigation of a particle system compared with first and second gradient continua: deformation and fracture phenomena. Math. Mech. Solids (2016).'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Battista, A., Rosa, L., dell\\u2019Erba, R., Greco, L.: Numerical investigation of a particle system compared with first and second gradient continua: deformation and fracture phenomena. Math. Mech. Solids (2016).', u'externalref': {u'refsource': u'https://doi.org/10.1177/1081286516657889', u'reftarget': {u'@address': u'10.1177/1081286516657889', u'@targettype': u'DOI'}}}, u'bibarticle': {u'bibauthorname': [{u'familyname': u'Battista', u'initials': u'A'}, {u'familyname': u'Rosa', u'initials': u'L'}, {u'familyname': u'dell\\u2019Erba', u'initials': u'R'}, {u'familyname': u'Greco', u'initials': u'L'}], u'occurrence': [{u'handle': u'10.1177/1081286516657889', u'@type': u'DOI'}, {u'handle': u'1395.74005', u'@type': u'ZLBID'}], u'journaltitle': u'Math. Mech. Solids', u'bibarticledoi': u'10.1177/1081286516657889', u'year': u'2016', u'articletitle': {u'#text': u'Numerical investigation of a particle system compared with first and second gradient continua: deformation and fracture phenomena', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('AUTHOR_FIRST_NAME', u'DJ'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('TITLE', u'The'), ('TITLE', u'variational'), ('TITLE', u'structure'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'nonlinear'), ('TITLE', u'theory'), ('TITLE', u'for'), ('TITLE', u'spatial'), ('TITLE', u'lattices'), ('JOURNAL', u'Meccanica'), ('VOLUME', u'31'), ('YEAR', u'1996'), ('PAGE', u'441'), ('DOI', u'10.1007/BF00429932'), ('REFPLAINTEXT', u'Steigmann, D.J.: The variational structure of a nonlinear theory for spatial lattices. Meccanica 31, 441–455 (1996)'), ('REFSTR', "{u'bibunstructured': u'Steigmann, D.J.: The variational structure of a nonlinear theory for spatial lattices. Meccanica 31, 441\\u2013455 (1996)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Steigmann', u'initials': u'DJ'}, u'occurrence': [{u'handle': u'1404203', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF00429932', u'@type': u'DOI'}], u'journaltitle': u'Meccanica', u'volumeid': u'31', u'firstpage': u'441', u'lastpage': u'455', u'year': u'1996', u'articletitle': {u'#text': u'The variational structure of a nonlinear theory for spatial lattices', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Grygoruk'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Greco'), ('TITLE', u'Designing'), ('TITLE', u'a'), ('TITLE', u'light'), ('TITLE', u'fabric'), ('TITLE', u'metamaterial'), ('TITLE', u'being'), ('TITLE', u'highly'), ('TITLE', u'macroscopically'), ('TITLE', u'tough'), ('TITLE', u'under'), ('TITLE', u'directional'), ('TITLE', u'extension:'), ('TITLE', u'first'), ('TITLE', u'experimental'), ('TITLE', u'evidence'), ('JOURNAL', u'Z.'), ('JOURNAL', u'für'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'66'), ('YEAR', u'2015'), ('PAGE', u'3473'), ('DOI', u'10.1007/s00033-015-0556-4'), ('REFPLAINTEXT', u'dell’Isola, F., Lekszycki, T., Pawlikowski, M., Grygoruk, R., Greco, L.: Designing a light fabric metamaterial being highly macroscopically tough under directional extension: first experimental evidence. Z. für Angew. Math. Phys. 66, 3473–3498 (2015)'), ('REFSTR', "{u'bibunstructured': u'dell\\u2019Isola, F., Lekszycki, T., Pawlikowski, M., Grygoruk, R., Greco, L.: Designing a light fabric metamaterial being highly macroscopically tough under directional extension: first experimental evidence. Z. f\\xfcr Angew. Math. Phys. 66, 3473\\u20133498 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'Grygoruk', u'initials': u'R'}, {u'familyname': u'Greco', u'initials': u'L'}], u'occurrence': [{u'handle': u'3428477', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-015-0556-4', u'@type': u'DOI'}], u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'66', u'firstpage': u'3473', u'lastpage': u'3498', u'year': u'2015', u'articletitle': {u'#text': u'Designing a light fabric metamaterial being highly macroscopically tough under directional extension: first experimental evidence', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")], [('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Della Corte'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'DJ'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('TITLE', u'Buckling'), ('TITLE', u'modes'), ('TITLE', u'in'), ('TITLE', u'pantographic'), ('TITLE', u'lattices'), ('JOURNAL', u'C.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Mec.'), ('VOLUME', u'344'), ('YEAR', u'2016'), ('PAGE', u'487'), ('REFPLAINTEXT', u'Giorgio, I., Della Corte, A., dell’Isola, F., Steigmann, D.J.: Buckling modes in pantographic lattices. C. R. Mec. 344, 487–501 (2016)'), ('REFSTR', "{u'bibunstructured': u'Giorgio, I., Della Corte, A., dell\\u2019Isola, F., Steigmann, D.J.: Buckling modes in pantographic lattices. C. R. Mec. 344, 487\\u2013501 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Della Corte', u'initials': u'A'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Steigmann', u'initials': u'DJ'}], u'occurrence': {u'handle': u'10.1016/j.crme.2016.02.009', u'@type': u'DOI'}, u'journaltitle': u'C. R. Mec.', u'volumeid': u'344', u'firstpage': u'487', u'lastpage': u'501', u'year': u'2016', u'articletitle': {u'#text': u'Buckling modes in pantographic lattices', u'@language': u'En'}}, u'citationnumber': u'7.', u'@id': u'CR7'}")], [('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Della Corte'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Dynamics'), ('TITLE', u'of'), ('TITLE', u'1D'), ('TITLE', u'nonlinear'), ('TITLE', u'pantographic'), ('TITLE', u'continua'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Dyn.'), ('VOLUME', u'88'), ('YEAR', u'2017'), ('PAGE', u'21'), ('REFPLAINTEXT', u'Giorgio, I., Della Corte, A., dell’Isola, F.: Dynamics of 1D nonlinear pantographic continua. Nonlinear Dyn. 88, 21–31 (2017)'), ('REFSTR', "{u'bibunstructured': u'Giorgio, I., Della Corte, A., dell\\u2019Isola, F.: Dynamics of 1D nonlinear pantographic continua. Nonlinear Dyn. 88, 21\\u201331 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Della Corte', u'initials': u'A'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1007/s11071-016-3228-9', u'@type': u'DOI'}, u'journaltitle': u'Nonlinear Dyn.', u'volumeid': u'88', u'firstpage': u'21', u'lastpage': u'31', u'year': u'2017', u'articletitle': {u'#text': u'Dynamics of 1D nonlinear pantographic continua', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Misra'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Hild'), ('TITLE', u'Enhanced'), ('TITLE', u'PiolaHencky'), ('TITLE', u'discrete'), ('TITLE', u'models'), ('TITLE', u'for'), ('TITLE', u'pantographic'), ('TITLE', u'sheets'), ('TITLE', u'with'), ('TITLE', u'pivots'), ('TITLE', u'without'), ('TITLE', u'deformation'), ('TITLE', u'energy:'), ('TITLE', u'numerics'), ('TITLE', u'and'), ('TITLE', u'experiments'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'147'), ('YEAR', u'2018'), ('PAGE', u'94'), ('REFPLAINTEXT', u'Turco, E., Misra, A., Pawlikowski, M., dell’Isola, F., Hild, F.: Enhanced Piola–Hencky discrete models for pantographic sheets with pivots without deformation energy: numerics and experiments. Int. J. Solids Struct. 147, 94–109 (2018)'), ('REFSTR', "{u'bibunstructured': u'Turco, E., Misra, A., Pawlikowski, M., dell\\u2019Isola, F., Hild, F.: Enhanced Piola\\u2013Hencky discrete models for pantographic sheets with pivots without deformation energy: numerics and experiments. Int. J. Solids Struct. 147, 94\\u2013109 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Misra', u'initials': u'A'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Hild', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1016/j.ijsolstr.2018.05.015', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'147', u'firstpage': u'94', u'lastpage': u'109', u'year': u'2018', u'articletitle': {u'#text': u'Enhanced Piola\\u2013Hencky discrete models for pantographic sheets with pivots without deformation energy: numerics and experiments', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Golaszewski'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Cazzani'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Large'), ('TITLE', u'deformations'), ('TITLE', u'induced'), ('TITLE', u'in'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'sheets'), ('TITLE', u'by'), ('TITLE', u'loads'), ('TITLE', u'applied'), ('TITLE', u'on'), ('TITLE', u'fibers:'), ('TITLE', u'experimental'), ('TITLE', u'validation'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'discrete'), ('TITLE', u'Lagrangian'), ('TITLE', u'model'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Res.'), ('JOURNAL', u'Commun.'), ('VOLUME', u'76'), ('YEAR', u'2016'), ('PAGE', u'51'), ('REFPLAINTEXT', u'Turco, E., Golaszewski, M., Cazzani, A., Rizzi, N.: Large deformations induced in planar pantographic sheets by loads applied on fibers: experimental validation of a discrete Lagrangian model. Mech. Res. Commun. 76, 51–56 (2016a)'), ('REFSTR', "{u'bibunstructured': u'Turco, E., Golaszewski, M., Cazzani, A., Rizzi, N.: Large deformations induced in planar pantographic sheets by loads applied on fibers: experimental validation of a discrete Lagrangian model. Mech. Res. Commun. 76, 51\\u201356 (2016a)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Golaszewski', u'initials': u'M'}, {u'familyname': u'Cazzani', u'initials': u'A'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'occurrence': {u'handle': u'10.1016/j.mechrescom.2016.07.001', u'@type': u'DOI'}, u'journaltitle': u'Mech. Res. Commun.', u'volumeid': u'76', u'firstpage': u'51', u'lastpage': u'56', u'year': u'2016', u'articletitle': {u'#text': u'Large deformations induced in planar pantographic sheets by loads applied on fibers: experimental validation of a discrete Lagrangian model', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Barcz'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Non-'), ('TITLE', u'standard'), ('TITLE', u'coupled'), ('TITLE', u'extensional'), ('TITLE', u'and'), ('TITLE', u'bending'), ('TITLE', u'bias'), ('TITLE', u'tests'), ('TITLE', u'for'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'lattices.'), ('TITLE', u'Part'), ('TITLE', u'I:'), ('TITLE', u'numerical'), ('TITLE', u'simulations'), ('JOURNAL', u'Z.'), ('JOURNAL', u'für'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('YEAR', u'2016'), ('PAGE', u'122'), ('DOI', u'10.1007/s00033-016-0713-4'), ('REFPLAINTEXT', u'Turco, E., Barcz, K., Pawlikowski, M., Rizzi, N.: Non-standard coupled extensional and bending bias tests for planar pantographic lattices. Part I: numerical simulations. Z. für Angew. Math. Phys. 67, 122 (2016)'), ('REFSTR', "{u'bibunstructured': u'Turco, E., Barcz, K., Pawlikowski, M., Rizzi, N.: Non-standard coupled extensional and bending bias tests for planar pantographic lattices. Part I: numerical simulations. Z. f\\xfcr Angew. Math. Phys. 67, 122 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Barcz', u'initials': u'K'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'occurrence': [{u'handle': u'3547709', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0713-4', u'@type': u'DOI'}], u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'122', u'year': u'2016', u'articletitle': {u'#text': u'Non-standard coupled extensional and bending bias tests for planar pantographic lattices. Part I: numerical simulations', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")], [('AUTHOR_FIRST_NAME', u'JJ'), ('AUTHOR_LAST_NAME', u'Alibert'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Truss'), ('TITLE', u'modular'), ('TITLE', u'beams'), ('TITLE', u'with'), ('TITLE', u'deformation'), ('TITLE', u'energy'), ('TITLE', u'depending'), ('TITLE', u'on'), ('TITLE', u'higher'), ('TITLE', u'displacement'), ('TITLE', u'gradients'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'8'), ('YEAR', u'2003'), ('PAGE', u'51'), ('DOI', u'10.1177/1081286503008001658'), ('REFPLAINTEXT', u'Alibert, J.J., Seppecher, P., dell’Isola, F.: Truss modular beams with deformation energy depending on higher displacement gradients. Math. Mech. Solids 8, 51–73 (2003)'), ('REFSTR', "{u'bibunstructured': u'Alibert, J.J., Seppecher, P., dell\\u2019Isola, F.: Truss modular beams with deformation energy depending on higher displacement gradients. Math. Mech. Solids 8, 51\\u201373 (2003)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Alibert', u'initials': u'JJ'}, {u'familyname': u'Seppecher', u'initials': u'P'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': [{u'handle': u'1959303', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286503008001658', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'8', u'firstpage': u'51', u'lastpage': u'73', u'year': u'2003', u'articletitle': {u'#text': u'Truss modular beams with deformation energy depending on higher displacement gradients', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")], [('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'SR'), ('AUTHOR_LAST_NAME', u'Eugster'), ('TITLE', u'A'), ('TITLE', u'Ritz'), ('TITLE', u'approach'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'static'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'structures'), ('TITLE', u'modeled'), ('TITLE', u'with'), ('TITLE', u'nonlinear'), ('TITLE', u'EulerBernoulli'), ('TITLE', u'beams'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Thermodyn.'), ('VOLUME', u'30'), ('YEAR', u'2018'), ('PAGE', u'1103'), ('DOI', u'10.1007/s00161-018-0665-3'), ('REFPLAINTEXT', u'Andreaus, U., Spagnuolo, M., Lekszycki, T., Eugster, S.R.: A Ritz approach for the static analysis of planar pantographic structures modeled with nonlinear Euler–Bernoulli beams. Contin. Mech. Thermodyn. 30, 1103–1123 (2018)'), ('REFSTR', "{u'bibunstructured': u'Andreaus, U., Spagnuolo, M., Lekszycki, T., Eugster, S.R.: A Ritz approach for the static analysis of planar pantographic structures modeled with nonlinear Euler\\u2013Bernoulli beams. Contin. Mech. Thermodyn. 30, 1103\\u20131123 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Andreaus', u'initials': u'U'}, {u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Eugster', u'initials': u'SR'}], u'occurrence': [{u'handle': u'3842030', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00161-018-0665-3', u'@type': u'DOI'}], u'journaltitle': u'Contin. Mech. Thermodyn.', u'volumeid': u'30', u'firstpage': u'1103', u'lastpage': u'1123', u'year': u'2018', u'articletitle': {u'#text': u'A Ritz approach for the static analysis of planar pantographic structures modeled with nonlinear Euler\\u2013Bernoulli beams', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Barcz'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Pfaff'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Franciosi'), ('TITLE', u'Qualitative'), ('TITLE', u'pivot'), ('TITLE', u'damage'), ('TITLE', u'analysis'), ('TITLE', u'in'), ('TITLE', u'aluminum'), ('TITLE', u'printed'), ('TITLE', u'pantographic'), ('TITLE', u'sheets:'), ('TITLE', u'numerics'), ('TITLE', u'and'), ('TITLE', u'experiments'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Res.'), ('JOURNAL', u'Commun.'), ('VOLUME', u'83'), ('YEAR', u'2017'), ('PAGE', u'47'), ('REFPLAINTEXT', u'Spagnuolo, M., Barcz, K., Pfaff, A., dell’Isola, F., Franciosi, P.: Qualitative pivot damage analysis in aluminum printed pantographic sheets: numerics and experiments. Mech. Res. Commun. 83, 47–52 (2017)'), ('REFSTR', "{u'bibunstructured': u'Spagnuolo, M., Barcz, K., Pfaff, A., dell\\u2019Isola, F., Franciosi, P.: Qualitative pivot damage analysis in aluminum printed pantographic sheets: numerics and experiments. Mech. Res. Commun. 83, 47\\u201352 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Barcz', u'initials': u'K'}, {u'familyname': u'Pfaff', u'initials': u'A'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Franciosi', u'initials': u'P'}], u'occurrence': {u'handle': u'10.1016/j.mechrescom.2017.05.005', u'@type': u'DOI'}, u'journaltitle': u'Mech. Res. Commun.', u'volumeid': u'83', u'firstpage': u'47', u'lastpage': u'52', u'year': u'2017', u'articletitle': {u'#text': u'Qualitative pivot damage analysis in aluminum printed pantographic sheets: numerics and experiments', u'@language': u'En'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")], [('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Scerrato'), ('AUTHOR_FIRST_NAME', u'IA'), ('AUTHOR_LAST_NAME', u'Zhurba Eremeeva'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'NL'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'effect'), ('TITLE', u'of'), ('TITLE', u'shear'), ('TITLE', u'stiffness'), ('TITLE', u'on'), ('TITLE', u'the'), ('TITLE', u'plane'), ('TITLE', u'deformation'), ('TITLE', u'of'), ('TITLE', u'linear'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'pantographic'), ('TITLE', u'sheets'), ('JOURNAL', u'ZAMM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Z.'), ('JOURNAL', u'für'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'96'), ('YEAR', u'2016'), ('PAGE', u'1268'), ('DOI', u'10.1002/zamm.201600066'), ('REFPLAINTEXT', u'Scerrato, D., Zhurba Eremeeva, I.A., Lekszycki, T., Rizzi, N.L.: On the effect of shear stiffness on the plane deformation of linear second gradient pantographic sheets. ZAMM J. Appl. Math. Mech. Z. für Angew. Math. Mech. 96, 1268–1279 (2016)'), ('REFSTR', "{u'bibunstructured': u'Scerrato, D., Zhurba Eremeeva, I.A., Lekszycki, T., Rizzi, N.L.: On the effect of shear stiffness on the plane deformation of linear second gradient pantographic sheets. ZAMM J. Appl. Math. Mech. Z. f\\xfcr Angew. Math. Mech. 96, 1268\\u20131279 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Scerrato', u'initials': u'D'}, {u'familyname': u'Zhurba Eremeeva', u'initials': u'IA'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Rizzi', u'initials': u'NL'}], u'occurrence': [{u'handle': u'3580283', u'@type': u'AMSID'}, {u'handle': u'10.1002/zamm.201600066', u'@type': u'DOI'}], u'journaltitle': u'ZAMM J. Appl. Math. Mech. Z. f\\xfcr Angew. Math. Mech.', u'volumeid': u'96', u'firstpage': u'1268', u'lastpage': u'1279', u'year': u'2016', u'articletitle': {u'#text': u'On the effect of shear stiffness on the plane deformation of linear second gradient pantographic sheets', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Cuomo'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Greco'), ('TITLE', u'Simplified'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'generalized'), ('TITLE', u'bias'), ('TITLE', u'test'), ('TITLE', u'for'), ('TITLE', u'fabrics'), ('TITLE', u'with'), ('TITLE', u'two'), ('TITLE', u'families'), ('TITLE', u'of'), ('TITLE', u'inextensible'), ('TITLE', u'fibres'), ('JOURNAL', u'Z.'), ('JOURNAL', u'für'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('YEAR', u'2016'), ('PAGE', u'61'), ('DOI', u'10.1007/s00033-016-0653-z'), ('REFPLAINTEXT', u'Cuomo, M., dell’Isola, F., Greco, L.: Simplified analysis of a generalized bias test for fabrics with two families of inextensible fibres. Z. für Angew. Math. Phys. 67, 61 (2016)'), ('REFSTR', "{u'bibunstructured': u'Cuomo, M., dell\\u2019Isola, F., Greco, L.: Simplified analysis of a generalized bias test for fabrics with two families of inextensible fibres. Z. f\\xfcr Angew. Math. Phys. 67, 61 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Cuomo', u'initials': u'M'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Greco', u'initials': u'L'}], u'occurrence': [{u'handle': u'3494482', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0653-z', u'@type': u'DOI'}], u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'61', u'year': u'2016', u'articletitle': {u'#text': u'Simplified analysis of a generalized bias test for fabrics with two families of inextensible fibres', u'@language': u'En'}}, u'citationnumber': u'16.', u'@id': u'CR16'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Pawlikowski'), ('AUTHOR_FIRST_NAME', u'NL'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'Large'), ('TITLE', u'deformations'), ('TITLE', u'of'), ('TITLE', u'planar'), ('TITLE', u'extensible'), ('TITLE', u'beams'), ('TITLE', u'and'), ('TITLE', u'pantographic'), ('TITLE', u'lattices:'), ('TITLE', u'heuristic'), ('TITLE', u'homogenization,'), ('TITLE', u'experimental'), ('TITLE', u'and'), ('TITLE', u'numerical'), ('TITLE', u'examples'), ('TITLE', u'of'), ('TITLE', u'equilibrium'), ('JOURNAL', u'Proc.'), ('JOURNAL', u'R.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'A'), ('VOLUME', u'472'), ('YEAR', u'2016'), ('PAGE', u'20150790'), ('REFPLAINTEXT', u'dell’Isola, F., Giorgio, I., Pawlikowski, M., Rizzi, N.L.: Large deformations of planar extensible beams and pantographic lattices: heuristic homogenization, experimental and numerical examples of equilibrium. Proc. R. Soc. A 472, 20150790 (2016)'), ('REFSTR', "{u'bibunstructured': u'dell\\u2019Isola, F., Giorgio, I., Pawlikowski, M., Rizzi, N.L.: Large deformations of planar extensible beams and pantographic lattices: heuristic homogenization, experimental and numerical examples of equilibrium. Proc. R. Soc. A 472, 20150790 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Pawlikowski', u'initials': u'M'}, {u'familyname': u'Rizzi', u'initials': u'NL'}], u'occurrence': {u'handle': u'10.1098/rspa.2015.0790', u'@type': u'DOI'}, u'journaltitle': u'Proc. R. Soc. A', u'volumeid': u'472', u'firstpage': u'20150790', u'year': u'2016', u'articletitle': {u'#text': u'Large deformations of planar extensible beams and pantographic lattices: heuristic homogenization, experimental and numerical examples of equilibrium', u'@language': u'En'}}, u'citationnumber': u'17.', u'@id': u'CR17'}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Misra'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Lekszycki'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Ganzosch'), ('AUTHOR_FIRST_NAME', u'WH'), ('AUTHOR_LAST_NAME', u'Mller'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Pantographic'), ('TITLE', u'metamaterials'), ('TITLE', u'show'), ('TITLE', u'a'), ('TITLE', u'typical'), ('TITLE', u'Poynting'), ('TITLE', u'effect'), ('TITLE', u'reversal'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Res.'), ('JOURNAL', u'Commun.'), ('VOLUME', u'89'), ('YEAR', u'2018'), ('PAGE', u'6'), ('REFPLAINTEXT', u'Misra, A., Lekszycki, T., Giorgio, I., Ganzosch, G., Müller, W.H., dell’Isola, F.: Pantographic metamaterials show a typical Poynting effect reversal. Mech. Res. Commun. 89, 6–10 (2018)'), ('REFSTR', "{u'bibunstructured': u'Misra, A., Lekszycki, T., Giorgio, I., Ganzosch, G., M\\xfcller, W.H., dell\\u2019Isola, F.: Pantographic metamaterials show a typical Poynting effect reversal. Mech. Res. Commun. 89, 6\\u201310 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Misra', u'initials': u'A'}, {u'familyname': u'Lekszycki', u'initials': u'T'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Ganzosch', u'initials': u'G'}, {u'familyname': u'M\\xfcller', u'initials': u'WH'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1016/j.mechrescom.2018.02.003', u'@type': u'DOI'}, u'journaltitle': u'Mech. Res. Commun.', u'volumeid': u'89', u'firstpage': u'6', u'lastpage': u'10', u'year': u'2018', u'articletitle': {u'#text': u'Pantographic metamaterials show a typical Poynting effect reversal', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")], [('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Boutin'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('TITLE', u'Linear'), ('TITLE', u'pantographic'), ('TITLE', u'sheets:'), ('TITLE', u'Existence'), ('TITLE', u'and'), ('TITLE', u'uniqueness'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'132'), ('YEAR', u'2017'), ('PAGE', u'1'), ('REFPLAINTEXT', u'Eremeyev, V.A., dell’Isola, F., Boutin, C., Steigmann, D.: Linear pantographic sheets: Existence and uniqueness of weak solutions. J. Elast. 132, 1–22 (2017)'), ('REFSTR', "{u'bibunstructured': u'Eremeyev, V.A., dell\\u2019Isola, F., Boutin, C., Steigmann, D.: Linear pantographic sheets: Existence and uniqueness of weak solutions. J. Elast. 132, 1\\u201322 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eremeyev', u'initials': u'VA'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}, {u'familyname': u'Boutin', u'initials': u'C'}, {u'familyname': u'Steigmann', u'initials': u'D'}], u'occurrence': [{u'handle': u'3831319', u'@type': u'AMSID'}, {u'handle': u'1398.74011', u'@type': u'ZLBID'}], u'journaltitle': u'J. Elast.', u'volumeid': u'132', u'firstpage': u'1', u'lastpage': u'22', u'year': u'2017', u'articletitle': {u'#text': u'Linear pantographic sheets: Existence and uniqueness of weak solutions', u'@language': u'En'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")], [('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Barchiesi'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Turco'), ('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Rizzi'), ('TITLE', u'A'), ('TITLE', u'review'), ('TITLE', u'on'), ('TITLE', u'2D'), ('TITLE', u'models'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'description'), ('TITLE', u'of'), ('TITLE', u'pantographic'), ('TITLE', u'fabrics'), ('JOURNAL', u'Z.'), ('JOURNAL', u'für'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('ISSUE', u'5'), ('YEAR', u'2016'), ('PAGE', u'121'), ('DOI', u'10.1007/s00033-016-0716-1'), ('REFPLAINTEXT', u'Placidi, L., Barchiesi, E., Turco, E., Rizzi, N.: A review on 2D models for the description of pantographic fabrics. Z. für Angew. Math. Phys. 67(5), 121 (2016)'), ('REFSTR', "{u'bibunstructured': u'Placidi, L., Barchiesi, E., Turco, E., Rizzi, N.: A review on 2D models for the description of pantographic fabrics. Z. f\\xfcr Angew. Math. Phys. 67(5), 121 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Placidi', u'initials': u'L'}, {u'familyname': u'Barchiesi', u'initials': u'E'}, {u'familyname': u'Turco', u'initials': u'E'}, {u'familyname': u'Rizzi', u'initials': u'N'}], u'issueid': u'5', u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'121', u'year': u'2016', u'articletitle': {u'#text': u'A review on 2D models for the description of pantographic fabrics', u'@language': u'En'}, u'occurrence': [{u'handle': u'3546348', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0716-1', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")], [('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('TITLE', u'Identification'), ('TITLE', u'of'), ('TITLE', u'two-'), ('TITLE', u'dimensional'), ('TITLE', u'pantographic'), ('TITLE', u'structure'), ('TITLE', u'via'), ('TITLE', u'a'), ('TITLE', u'linear'), ('TITLE', u'D4'), ('TITLE', u'orthotropic'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'elastic'), ('TITLE', u'model'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Math.'), ('VOLUME', u'103'), ('YEAR', u'2016'), ('PAGE', u'1'), ('DOI', u'10.1007/s10665-016-9856-8'), ('REFPLAINTEXT', u'Placidi, L., Andreaus, U., Giorgio, I.: Identification of two-dimensional pantographic structure via a linear D4 orthotropic second gradient elastic model. J. Eng. Math. 103, 1–21 (2016)'), ('REFSTR', "{u'bibunstructured': u'Placidi, L., Andreaus, U., Giorgio, I.: Identification of two-dimensional pantographic structure via a linear D4 orthotropic second gradient elastic model. J. Eng. Math. 103, 1\\u201321 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Placidi', u'initials': u'L'}, {u'familyname': u'Andreaus', u'initials': u'U'}, {u'familyname': u'Giorgio', u'initials': u'I'}], u'occurrence': [{u'handle': u'3624977', u'@type': u'AMSID'}, {u'handle': u'10.1007/s10665-016-9856-8', u'@type': u'DOI'}], u'journaltitle': u'J. Eng. Math.', u'volumeid': u'103', u'firstpage': u'1', u'lastpage': u'21', u'year': u'2016', u'articletitle': {u'#text': u'Identification of two-dimensional pantographic structure via a linear D4 orthotropic second gradient elastic model', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")], [('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('TITLE', u'Numerical'), ('TITLE', u'identification'), ('TITLE', u'procedure'), ('TITLE', u'between'), ('TITLE', u'a'), ('TITLE', u'micro-'), ('TITLE', u'Cauchy'), ('TITLE', u'model'), ('TITLE', u'and'), ('TITLE', u'a'), ('TITLE', u'macro-'), ('TITLE', u'second'), ('TITLE', u'gradient'), ('TITLE', u'model'), ('TITLE', u'for'), ('TITLE', u'planar'), ('TITLE', u'pantographic'), ('TITLE', u'structures'), ('JOURNAL', u'Z.'), ('JOURNAL', u'für'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'67'), ('ISSUE', u'4'), ('YEAR', u'2016'), ('PAGE', u'95'), ('DOI', u'10.1007/s00033-016-0692-5'), ('REFPLAINTEXT', u'Giorgio, I.: Numerical identification procedure between a micro-Cauchy model and a macro-second gradient model for planar pantographic structures. Z. für Angew. Math. Phys. 67(4), 95 (2016)'), ('REFSTR', "{u'bibunstructured': u'Giorgio, I.: Numerical identification procedure between a micro-Cauchy model and a macro-second gradient model for planar pantographic structures. Z. f\\xfcr Angew. Math. Phys. 67(4), 95 (2016)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Giorgio', u'initials': u'I'}, u'issueid': u'4', u'journaltitle': u'Z. f\\xfcr Angew. Math. Phys.', u'volumeid': u'67', u'firstpage': u'95', u'year': u'2016', u'articletitle': {u'#text': u'Numerical identification procedure between a micro-Cauchy model and a macro-second gradient model for planar pantographic structures', u'@language': u'En'}, u'occurrence': [{u'handle': u'3528393', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-016-0692-5', u'@type': u'DOI'}]}, u'citationnumber': u'22.', u'@id': u'CR22'}")], [('AUTHOR_FIRST_NAME', u'Ivo'), ('AUTHOR_LAST_NAME', u'Babuka'), ('YEAR', u'1976'), ('PAGE', u'137'), ('PUBLISHER', u'Lecture'), ('PUBLISHER', u'Notes'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Economics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Mathematical'), ('PUBLISHER', u'Systems'), ('REFPLAINTEXT', u'Babuška, I.: Homogenization approach in engineering. In: Glowinski R., Lions J.L. (eds.) Computing Methods in Applied Sciences and Engineering, pp. 137–153. Springer, Berlin (1976)'), ('REFSTR', "{u'bibunstructured': u'Babu\\u0161ka, I.: Homogenization approach in engineering. In: Glowinski R., Lions J.L. (eds.) Computing Methods in Applied Sciences and Engineering, pp. 137\\u2013153. Springer, Berlin (1976)', u'bibchapter': {u'bibauthorname': {u'familyname': u'Babu\\u0161ka', u'initials': u'Ivo'}, u'publisherlocation': u'Berlin, Heidelberg', u'booktitle': u'Lecture Notes in Economics and Mathematical Systems', u'firstpage': u'137', u'lastpage': u'153', u'year': u'1976', u'publishername': u'Springer Berlin Heidelberg', u'chaptertitle': {u'#text': u'Homogenization Approach In Engineering', u'@language': u'--'}}, u'citationnumber': u'23.', u'@id': u'CR23'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Allaire'), ('TITLE', u'Homogenization'), ('TITLE', u'and'), ('TITLE', u'two-'), ('TITLE', u'scale'), ('TITLE', u'convergence'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'23'), ('YEAR', u'1992'), ('PAGE', u'1482'), ('DOI', u'10.1137/0523084'), ('REFPLAINTEXT', u'Allaire, G.: Homogenization and two-scale convergence. SIAM J. Math. Anal. 23, 1482–1518 (1992)'), ('REFSTR', "{u'bibunstructured': u'Allaire, G.: Homogenization and two-scale convergence. SIAM J. Math. Anal. 23, 1482\\u20131518 (1992)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Allaire', u'initials': u'G'}, u'occurrence': [{u'handle': u'1185639', u'@type': u'AMSID'}, {u'handle': u'10.1137/0523084', u'@type': u'DOI'}], u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'23', u'firstpage': u'1482', u'lastpage': u'1518', u'year': u'1992', u'articletitle': {u'#text': u'Homogenization and two-scale convergence', u'@language': u'En'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")], [('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Tartar'), ('YEAR', u'2009'), ('PUBLISHER', u'The'), ('PUBLISHER', u'general'), ('PUBLISHER', u'theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'homogenization:'), ('PUBLISHER', u'A'), ('PUBLISHER', u'personalized'), ('PUBLISHER', u'introduction'), ('REFPLAINTEXT', u'Tartar, L.: The general theory of homogenization: A personalized introduction. Springer, Berlin (2009)'), ('REFSTR', "{u'bibunstructured': u'Tartar, L.: The general theory of homogenization: A personalized introduction. Springer, Berlin (2009)', u'citationnumber': u'25.', u'@id': u'CR25', u'bibbook': {u'bibauthorname': {u'familyname': u'Tartar', u'initials': u'L'}, u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'1188.35004', u'@type': u'ZLBID'}, u'booktitle': u'The general theory of homogenization: A personalized introduction', u'year': u'2009', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'Wenbin'), ('AUTHOR_LAST_NAME', u'Yu'), ('AUTHOR_FIRST_NAME', u'Tian'), ('AUTHOR_LAST_NAME', u'Tang'), ('YEAR', u'2009'), ('PAGE', u'117'), ('PUBLISHER', u'Solid'), ('PUBLISHER', u'Mechanics'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Its'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Yu, W., Tang, T.: Variational asymptotic method for unit cell homogenization. In: Gilat, R., Banks-Sills, L. (eds.) Advances in Mathematical Modeling and Experimental Methods for Materials and Structures, pp. 117–130. Springer, Berlin (2009)'), ('REFSTR', "{u'bibunstructured': u'Yu, W., Tang, T.: Variational asymptotic method for unit cell homogenization. In: Gilat, R., Banks-Sills, L. (eds.) Advances in Mathematical Modeling and Experimental Methods for Materials and Structures, pp. 117\\u2013130. Springer, Berlin (2009)', u'bibchapter': {u'bibauthorname': [{u'familyname': u'Yu', u'initials': u'Wenbin'}, {u'familyname': u'Tang', u'initials': u'Tian'}], u'publisherlocation': u'Dordrecht', u'booktitle': u'Solid Mechanics and Its Applications', u'firstpage': u'117', u'lastpage': u'130', u'year': u'2009', u'publishername': u'Springer Netherlands', u'chaptertitle': {u'#text': u'Variational Asymptotic Method for Unit Cell Homogenization', u'@language': u'--'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")], [('REFPLAINTEXT', u'Golaszewski, M., Grygoruk, R., Giorgio, I., Laudato, M., & Di Cosmo, F.: Metamaterials with relative displacements in their microstructure: technological challenges in 3D printing, experiments and numerical predictions. Continuum Mech Thermodyn 31(4), 1015–1034 (2019)'), ('REFSTR', "{u'bibunstructured': u'Golaszewski, M., Grygoruk, R., Giorgio, I., Laudato, M., & Di Cosmo, F.: Metamaterials with relative displacements in their microstructure: technological challenges in 3D printing, experiments and numerical predictions. Continuum Mech Thermodyn 31(4), 1015\\u20131034 (2019)', u'citationnumber': u'27.', u'@id': u'CR27'}")], [('REFPLAINTEXT', u'Yang, T., Bellouard, Y.: 3D electrostatic actuator fabricated by non-ablative femtosecond laser exposure and chemical etching. In: MATEC Web of Conferences vol. 32. EDP Sciences (2015)'), ('REFSTR', "{u'bibunstructured': u'Yang, T., Bellouard, Y.: 3D electrostatic actuator fabricated by non-ablative femtosecond laser exposure and chemical etching. In: MATEC Web of Conferences vol. 32. EDP Sciences (2015)', u'citationnumber': u'28.', u'@id': u'CR28'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Koch'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Lehr'), ('AUTHOR_FIRST_NAME', u'O'), ('AUTHOR_LAST_NAME', u'Schnbrodt'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Glaser'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Fechner'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Frost'), ('TITLE', u'Manufacturing'), ('TITLE', u'of'), ('TITLE', u'highly-'), ('TITLE', u'dispersive,'), ('TITLE', u'high-'), ('TITLE', u'efficiency'), ('TITLE', u'transmission'), ('TITLE', u'gratings'), ('TITLE', u'by'), ('TITLE', u'laser'), ('TITLE', u'interference'), ('TITLE', u'lithography'), ('TITLE', u'and'), ('TITLE', u'dry'), ('TITLE', u'etching'), ('JOURNAL', u'Microelectron.'), ('JOURNAL', u'Eng.'), ('VOLUME', u'191'), ('YEAR', u'2018'), ('PAGE', u'60'), ('REFPLAINTEXT', u'Koch, F., Lehr, D., Schönbrodt, O., Glaser, T., Fechner, R., Frost, F.: Manufacturing of highly-dispersive, high-efficiency transmission gratings by laser interference lithography and dry etching. Microelectron. Eng. 191, 60–65 (2018)'), ('REFSTR', "{u'bibunstructured': u'Koch, F., Lehr, D., Sch\\xf6nbrodt, O., Glaser, T., Fechner, R., Frost, F.: Manufacturing of highly-dispersive, high-efficiency transmission gratings by laser interference lithography and dry etching. Microelectron. Eng. 191, 60\\u201365 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Koch', u'initials': u'F'}, {u'familyname': u'Lehr', u'initials': u'D'}, {u'familyname': u'Sch\\xf6nbrodt', u'initials': u'O'}, {u'familyname': u'Glaser', u'initials': u'T'}, {u'familyname': u'Fechner', u'initials': u'R'}, {u'familyname': u'Frost', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1016/j.mee.2018.01.031', u'@type': u'DOI'}, u'journaltitle': u'Microelectron. Eng.', u'volumeid': u'191', u'firstpage': u'60', u'lastpage': u'65', u'year': u'2018', u'articletitle': {u'#text': u'Manufacturing of highly-dispersive, high-efficiency transmission gratings by laser interference lithography and dry etching', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")], [('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Yamada'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Yamada'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Maki'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Itoh'), ('TITLE', u'Fabrication'), ('TITLE', u'of'), ('TITLE', u'arrays'), ('TITLE', u'of'), ('TITLE', u'tapered'), ('TITLE', u'silicon'), ('TITLE', u'micro-'), ('TITLE', u'/nano-'), ('TITLE', u'pillars'), ('TITLE', u'by'), ('TITLE', u'metal-'), ('TITLE', u'assisted'), ('TITLE', u'chemical'), ('TITLE', u'etching'), ('TITLE', u'and'), ('TITLE', u'anisotropic'), ('TITLE', u'wet'), ('TITLE', u'etching'), ('JOURNAL', u'Nanotechnology'), ('VOLUME', u'29'), ('YEAR', u'2018'), ('PAGE', u'28LT01'), ('REFPLAINTEXT', u'Yamada, K., Yamada, M., Maki, H., Itoh, K.: Fabrication of arrays of tapered silicon micro-/nano-pillars by metal-assisted chemical etching and anisotropic wet etching. Nanotechnology 29, 28LT01 (2018)'), ('REFSTR', "{u'bibunstructured': u'Yamada, K., Yamada, M., Maki, H., Itoh, K.: Fabrication of arrays of tapered silicon micro-/nano-pillars by metal-assisted chemical etching and anisotropic wet etching. Nanotechnology 29, 28LT01 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Yamada', u'initials': u'K'}, {u'familyname': u'Yamada', u'initials': u'M'}, {u'familyname': u'Maki', u'initials': u'H'}, {u'familyname': u'Itoh', u'initials': u'K'}], u'occurrence': {u'handle': u'10.1088/1361-6528/aac04b', u'@type': u'DOI'}, u'journaltitle': u'Nanotechnology', u'volumeid': u'29', u'firstpage': u'28LT01', u'year': u'2018', u'articletitle': {u'#text': u'Fabrication of arrays of tapered silicon micro-/nano-pillars by metal-assisted chemical etching and anisotropic wet etching', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")], [('AUTHOR_FIRST_NAME', u'MP'), ('AUTHOR_LAST_NAME', u'Larsson'), ('TITLE', u'Arbitrarily'), ('TITLE', u'profiled'), ('TITLE', u'3D'), ('TITLE', u'polymer'), ('TITLE', u'MEMS'), ('TITLE', u'through'), ('TITLE', u'Si'), ('TITLE', u'micro-'), ('TITLE', u'moulding'), ('TITLE', u'and'), ('TITLE', u'bulk'), ('TITLE', u'micromachining'), ('JOURNAL', u'Microelectron.'), ('JOURNAL', u'Eng.'), ('VOLUME', u'83'), ('YEAR', u'2006'), ('PAGE', u'1257'), ('REFPLAINTEXT', u'Larsson, M.P.: Arbitrarily profiled 3D polymer MEMS through Si micro-moulding and bulk micromachining. Microelectron. Eng. 83, 1257–1260 (2006)'), ('REFSTR', "{u'bibunstructured': u'Larsson, M.P.: Arbitrarily profiled 3D polymer MEMS through Si micro-moulding and bulk micromachining. Microelectron. Eng. 83, 1257\\u20131260 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Larsson', u'initials': u'MP'}, u'occurrence': {u'handle': u'10.1016/j.mee.2006.01.215', u'@type': u'DOI'}, u'journaltitle': u'Microelectron. Eng.', u'volumeid': u'83', u'firstpage': u'1257', u'lastpage': u'1260', u'year': u'2006', u'articletitle': {u'#text': u'Arbitrarily profiled 3D polymer MEMS through Si micro-moulding and bulk micromachining', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Milton'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Briane'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Harutyunyan'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'possible'), ('TITLE', u'effective'), ('TITLE', u'elasticity'), ('TITLE', u'tensors'), ('TITLE', u'of'), ('TITLE', u'2-'), ('TITLE', u'dimensional'), ('TITLE', u'and'), ('TITLE', u'3-'), ('TITLE', u'dimensional'), ('TITLE', u'printed'), ('TITLE', u'materials'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'5'), ('YEAR', u'2017'), ('PAGE', u'41'), ('DOI', u'10.2140/memocs.2017.5.41'), ('REFPLAINTEXT', u'Milton, G., Briane, M., Harutyunyan, D.: On the possible effective elasticity tensors of 2-dimensional and 3-dimensional printed materials. Math. Mech. Complex Syst. 5, 41–94 (2017)'), ('REFSTR', "{u'bibunstructured': u'Milton, G., Briane, M., Harutyunyan, D.: On the possible effective elasticity tensors of 2-dimensional and 3-dimensional printed materials. Math. Mech. Complex Syst. 5, 41\\u201394 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Milton', u'initials': u'G'}, {u'familyname': u'Briane', u'initials': u'M'}, {u'familyname': u'Harutyunyan', u'initials': u'D'}], u'occurrence': [{u'handle': u'3677943', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2017.5.41', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'5', u'firstpage': u'41', u'lastpage': u'94', u'year': u'2017', u'articletitle': {u'#text': u'On the possible effective elasticity tensors of 2-dimensional and 3-dimensional printed materials', u'@language': u'En'}}, u'citationnumber': u'32.', u'@id': u'CR32'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Milton'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Harutyunyan'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Briane'), ('TITLE', u'Towards'), ('TITLE', u'a'), ('TITLE', u'complete'), ('TITLE', u'characterization'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'effective'), ('TITLE', u'elasticity'), ('TITLE', u'tensors'), ('TITLE', u'of'), ('TITLE', u'mixtures'), ('TITLE', u'of'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'phase'), ('TITLE', u'and'), ('TITLE', u'an'), ('TITLE', u'almost'), ('TITLE', u'rigid'), ('TITLE', u'phase'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'5'), ('YEAR', u'2017'), ('PAGE', u'95'), ('DOI', u'10.2140/memocs.2017.5.95'), ('REFPLAINTEXT', u'Milton, G., Harutyunyan, D., Briane, M.: Towards a complete characterization of the effective elasticity tensors of mixtures of an elastic phase and an almost rigid phase. Math. Mech. Complex Syst. 5, 95–113 (2017)'), ('REFSTR', "{u'bibunstructured': u'Milton, G., Harutyunyan, D., Briane, M.: Towards a complete characterization of the effective elasticity tensors of mixtures of an elastic phase and an almost rigid phase. Math. Mech. Complex Syst. 5, 95\\u2013113 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Milton', u'initials': u'G'}, {u'familyname': u'Harutyunyan', u'initials': u'D'}, {u'familyname': u'Briane', u'initials': u'M'}], u'occurrence': [{u'handle': u'3677944', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2017.5.95', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'5', u'firstpage': u'95', u'lastpage': u'113', u'year': u'2017', u'articletitle': {u'#text': u'Towards a complete characterization of the effective elasticity tensors of mixtures of an elastic phase and an almost rigid phase', u'@language': u'En'}}, u'citationnumber': u'33.', u'@id': u'CR33'}")], [('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Abdoul-Anziz'), ('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('TITLE', u'Strain'), ('TITLE', u'gradient'), ('TITLE', u'and'), ('TITLE', u'generalized'), ('TITLE', u'continua'), ('TITLE', u'obtained'), ('TITLE', u'by'), ('TITLE', u'homogenizing'), ('TITLE', u'frame'), ('TITLE', u'lattices'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'6'), ('YEAR', u'2018'), ('PAGE', u'213'), ('DOI', u'10.2140/memocs.2018.6.213'), ('REFPLAINTEXT', u'Abdoul-Anziz, H., Seppecher, P.: Strain gradient and generalized continua obtained by homogenizing frame lattices. Math. Mech. Complex Syst. 6, 213–250 (2018)'), ('REFSTR', "{u'bibunstructured': u'Abdoul-Anziz, H., Seppecher, P.: Strain gradient and generalized continua obtained by homogenizing frame lattices. Math. Mech. Complex Syst. 6, 213\\u2013250 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abdoul-Anziz', u'initials': u'H'}, {u'familyname': u'Seppecher', u'initials': u'P'}], u'occurrence': [{u'handle': u'3858777', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2018.6.213', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'6', u'firstpage': u'213', u'lastpage': u'250', u'year': u'2018', u'articletitle': {u'#text': u'Strain gradient and generalized continua obtained by homogenizing frame lattices', u'@language': u'En'}}, u'citationnumber': u'34.', u'@id': u'CR34'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Barchiesi'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Placidi'), ('TITLE', u'Mechanical'), ('TITLE', u'metamaterials:'), ('TITLE', u'a'), ('TITLE', u'state'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'art'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'24'), ('YEAR', u'2018'), ('PAGE', u'212'), ('DOI', u'10.1177/1081286517735695'), ('REFPLAINTEXT', u'Barchiesi, E., Spagnuolo, M., Placidi, L.: Mechanical metamaterials: a state of the art. Math. Mech. Solids 24, 212–234 (2018)'), ('REFSTR', "{u'bibunstructured': u'Barchiesi, E., Spagnuolo, M., Placidi, L.: Mechanical metamaterials: a state of the art. Math. Mech. Solids 24, 212\\u2013234 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Barchiesi', u'initials': u'E'}, {u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Placidi', u'initials': u'L'}], u'occurrence': [{u'handle': u'3894504', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286517735695', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'24', u'firstpage': u'212', u'lastpage': u'234', u'year': u'2018', u'articletitle': {u'#text': u'Mechanical metamaterials: a state of the art', u'@language': u'En'}}, u'citationnumber': u'35.', u'@id': u'CR35'}")], [('REFPLAINTEXT', u'Di Cosmo, F., Laudato, M., Spagnuolo, M.: Acoustic metamaterials based on local resonances: homogenization, optimization and applications. In: Altenbach, H., Pouget, J., Rousseau, M., Collet, B., Michelitsch, Th. (eds.) Generalized Models and Non-classical Approaches in Complex Materials 1, pp. 247–274. Springer, Berlin (2018)'), ('REFSTR', "{u'bibunstructured': u'Di Cosmo, F., Laudato, M., Spagnuolo, M.: Acoustic metamaterials based on local resonances: homogenization, optimization and applications. In: Altenbach, H., Pouget, J., Rousseau, M., Collet, B., Michelitsch, Th. (eds.) Generalized Models and Non-classical Approaches in Complex Materials 1, pp. 247\\u2013274. Springer, Berlin (2018)', u'citationnumber': u'36.', u'@id': u'CR36'}")], [('AUTHOR_FIRST_NAME', u'Emilio'), ('AUTHOR_LAST_NAME', u'Barchiesi'), ('AUTHOR_FIRST_NAME', u'Francesco'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('AUTHOR_FIRST_NAME', u'Marco'), ('AUTHOR_LAST_NAME', u'Laudato'), ('AUTHOR_FIRST_NAME', u'Luca'), ('AUTHOR_LAST_NAME', u'Placidi'), ('AUTHOR_FIRST_NAME', u'Pierre'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('YEAR', u'2018'), ('PAGE', u'43'), ('PUBLISHER', u'Advanced'), ('PUBLISHER', u'Structured'), ('PUBLISHER', u'Materials'), ('REFPLAINTEXT', u'Barchiesi, E., dell’Isola, F., Laudato, M., Placidi, L., Seppecher, P.: A 1D continuum model for beams with pantographic microstructure: asymptotic micro-macro identification and numerical results. In: dell’Isola, F., Eremeyev, V.A., Porubov, A.V. (eds.) Advances in Mechanics of Microstructured Media and Structures, pp. 43–74. Springer, Berlin (2018)'), ('REFSTR', "{u'bibunstructured': u'Barchiesi, E., dell\\u2019Isola, F., Laudato, M., Placidi, L., Seppecher, P.: A 1D continuum model for beams with pantographic microstructure: asymptotic micro-macro identification and numerical results. In: dell\\u2019Isola, F., Eremeyev, V.A., Porubov, A.V. (eds.) Advances in Mechanics of Microstructured Media and Structures, pp. 43\\u201374. Springer, Berlin (2018)', u'bibchapter': {u'bibauthorname': [{u'familyname': u'Barchiesi', u'initials': u'Emilio'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'Francesco'}, {u'familyname': u'Laudato', u'initials': u'Marco'}, {u'familyname': u'Placidi', u'initials': u'Luca'}, {u'familyname': u'Seppecher', u'initials': u'Pierre'}], u'publisherlocation': u'Cham', u'booktitle': u'Advanced Structured Materials', u'firstpage': u'43', u'lastpage': u'74', u'year': u'2018', u'publishername': u'Springer International Publishing', u'chaptertitle': {u'#text': u'A 1D Continuum Model for Beams with Pantographic Microstructure: Asymptotic Micro-Macro Identification and Numerical Results', u'@language': u'--'}}, u'citationnumber': u'37.', u'@id': u'CR37'}")], [('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Seppecher'), ('AUTHOR_FIRST_NAME', u'JJ'), ('AUTHOR_LAST_NAME', u'Alibert'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Linear'), ('TITLE', u'elastic'), ('TITLE', u'trusses'), ('TITLE', u'leading'), ('TITLE', u'to'), ('TITLE', u'continua'), ('TITLE', u'with'), ('TITLE', u'exotic'), ('TITLE', u'mechanical'), ('TITLE', u'interactions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Conf.'), ('JOURNAL', u'Ser.'), ('VOLUME', u'319'), ('YEAR', u'2011'), ('PAGE', u'12'), ('REFPLAINTEXT', u'Seppecher, P., Alibert, J.J., dell’Isola, F.: Linear elastic trusses leading to continua with exotic mechanical interactions. J. Phys. Conf. Ser. 319, 12–18 (2011)'), ('REFSTR', "{u'bibunstructured': u'Seppecher, P., Alibert, J.J., dell\\u2019Isola, F.: Linear elastic trusses leading to continua with exotic mechanical interactions. J. Phys. Conf. Ser. 319, 12\\u201318 (2011)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Seppecher', u'initials': u'P'}, {u'familyname': u'Alibert', u'initials': u'JJ'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1088/1742-6596/319/1/012018', u'@type': u'DOI'}, u'journaltitle': u'J. Phys. Conf. Ser.', u'volumeid': u'319', u'firstpage': u'12', u'lastpage': u'18', u'year': u'2011', u'articletitle': {u'#text': u'Linear elastic trusses leading to continua with exotic mechanical interactions', u'@language': u'En'}}, u'citationnumber': u'38.', u'@id': u'CR38'}")], [('AUTHOR_FIRST_NAME', u'JJ'), ('AUTHOR_LAST_NAME', u'Alibert'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Della Corte'), ('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Giorgio'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Battista'), ('TITLE', u'Extensional'), ('TITLE', u'Elastica'), ('TITLE', u'in'), ('TITLE', u'large'), ('TITLE', u'deformation'), ('TITLE', u'as'), ('TITLE', u'-'), ('TITLE', u'limit'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'discrete'), ('TITLE', u'1D'), ('TITLE', u'mechanical'), ('TITLE', u'system'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'68'), ('YEAR', u'2017'), ('PAGE', u'42'), ('DOI', u'10.1007/s00033-017-0785-9'), ('REFPLAINTEXT', u'Alibert, J.J., Della Corte, A., Giorgio, I., Battista, A.: Extensional Elastica in large deformation as Γ -limit of a discrete 1D mechanical system. Z. Angew. Math. Phys. 68, 42 (2017)'), ('REFSTR', "{u'bibunstructured': u'Alibert, J.J., Della Corte, A., Giorgio, I., Battista, A.: Extensional Elastica in large deformation as \\u0393 -limit of a discrete 1D mechanical system. Z. Angew. Math. Phys. 68, 42 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Alibert', u'initials': u'JJ'}, {u'familyname': u'Della Corte', u'initials': u'A'}, {u'familyname': u'Giorgio', u'initials': u'I'}, {u'familyname': u'Battista', u'initials': u'A'}], u'occurrence': [{u'handle': u'3619438', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-017-0785-9', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'68', u'firstpage': u'42', u'year': u'2017', u'articletitle': {u'#text': u'Extensional Elastica in large deformation as \\u0393 -limit of a discrete 1D mechanical system', u'@language': u'En'}}, u'citationnumber': u'39.', u'@id': u'CR39'}")], [('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Pietraszkiewicz'), ('TITLE', u'The'), ('TITLE', u'nonlinear'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'elastic'), ('TITLE', u'shells'), ('TITLE', u'with'), ('TITLE', u'phase'), ('TITLE', u'transitions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'74'), ('YEAR', u'2004'), ('PAGE', u'67'), ('DOI', u'10.1023/B:ELAS.0000026106.09385.8c'), ('REFPLAINTEXT', u'Eremeyev, V.A., Pietraszkiewicz, W.: The nonlinear theory of elastic shells with phase transitions. J. Elast. 74, 67–86 (2004)'), ('REFSTR', "{u'bibunstructured': u'Eremeyev, V.A., Pietraszkiewicz, W.: The nonlinear theory of elastic shells with phase transitions. J. Elast. 74, 67\\u201386 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eremeyev', u'initials': u'VA'}, {u'familyname': u'Pietraszkiewicz', u'initials': u'W'}], u'occurrence': [{u'handle': u'2058196', u'@type': u'AMSID'}, {u'handle': u'10.1023/B:ELAS.0000026106.09385.8c', u'@type': u'DOI'}], u'journaltitle': u'J. Elast.', u'volumeid': u'74', u'firstpage': u'67', u'lastpage': u'86', u'year': u'2004', u'articletitle': {u'#text': u'The nonlinear theory of elastic shells with phase transitions', u'@language': u'En'}}, u'citationnumber': u'40.', u'@id': u'CR40'}")], [('AUTHOR_FIRST_NAME', u'SR'), ('AUTHOR_LAST_NAME', u'Eugster'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Glocker'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'notion'), ('TITLE', u'of'), ('TITLE', u'stress'), ('TITLE', u'in'), ('TITLE', u'classical'), ('TITLE', u'continuum'), ('TITLE', u'mechanics'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Complex'), ('JOURNAL', u'Syst.'), ('VOLUME', u'5'), ('YEAR', u'2017'), ('PAGE', u'299'), ('DOI', u'10.2140/memocs.2017.5.299'), ('REFPLAINTEXT', u'Eugster, S.R., Glocker, C.: On the notion of stress in classical continuum mechanics. Math. Mech. Complex Syst. 5, 299–338 (2017)'), ('REFSTR', "{u'bibunstructured': u'Eugster, S.R., Glocker, C.: On the notion of stress in classical continuum mechanics. Math. Mech. Complex Syst. 5, 299\\u2013338 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Eugster', u'initials': u'SR'}, {u'familyname': u'Glocker', u'initials': u'C'}], u'occurrence': [{u'handle': u'3740256', u'@type': u'AMSID'}, {u'handle': u'10.2140/memocs.2017.5.299', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Complex Syst.', u'volumeid': u'5', u'firstpage': u'299', u'lastpage': u'338', u'year': u'2017', u'articletitle': {u'#text': u'On the notion of stress in classical continuum mechanics', u'@language': u'En'}}, u'citationnumber': u'41.', u'@id': u'CR41'}")], [('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Steigmann'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Faulkner'), ('TITLE', u'Variational'), ('TITLE', u'theory'), ('TITLE', u'for'), ('TITLE', u'spatial'), ('TITLE', u'rods'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'33'), ('YEAR', u'1993'), ('PAGE', u'1'), ('DOI', u'10.1007/BF00042633'), ('REFPLAINTEXT', u'Steigmann, D., Faulkner, M.: Variational theory for spatial rods. J. Elast. 33, 1–26 (1993)'), ('REFSTR', "{u'bibunstructured': u'Steigmann, D., Faulkner, M.: Variational theory for spatial rods. J. Elast. 33, 1\\u201326 (1993)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Steigmann', u'initials': u'D'}, {u'familyname': u'Faulkner', u'initials': u'M'}], u'occurrence': [{u'handle': u'1255038', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF00042633', u'@type': u'DOI'}], u'journaltitle': u'J. Elast.', u'volumeid': u'33', u'firstpage': u'1', u'lastpage': u'26', u'year': u'1993', u'articletitle': {u'#text': u'Variational theory for spatial rods', u'@language': u'En'}}, u'citationnumber': u'42.', u'@id': u'CR42'}")], [('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Germain'), ('TITLE', u'The'), ('TITLE', u'method'), ('TITLE', u'of'), ('TITLE', u'virtual'), ('TITLE', u'power'), ('TITLE', u'in'), ('TITLE', u'continuum'), ('TITLE', u'mechanics.'), ('TITLE', u'Part'), ('TITLE', u'2:'), ('TITLE', u'microstructure'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'25'), ('YEAR', u'1973'), ('PAGE', u'556'), ('REFPLAINTEXT', u'Germain, P.: The method of virtual power in continuum mechanics. Part 2: microstructure. SIAM J. Appl. Math. 25, 556–575 (1973)'), ('REFSTR', "{u'bibunstructured': u'Germain, P.: The method of virtual power in continuum mechanics. Part 2: microstructure. SIAM J. Appl. Math. 25, 556\\u2013575 (1973)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Germain', u'initials': u'P'}, u'occurrence': {u'handle': u'10.1137/0125053', u'@type': u'DOI'}, u'journaltitle': u'SIAM J. Appl. Math.', u'volumeid': u'25', u'firstpage': u'556', u'lastpage': u'575', u'year': u'1973', u'articletitle': {u'#text': u'The method of virtual power in continuum mechanics. Part 2: microstructure', u'@language': u'En'}}, u'citationnumber': u'43.', u'@id': u'CR43'}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Forest'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Sievert'), ('TITLE', u'Nonlinear'), ('TITLE', u'microstrain'), ('TITLE', u'theories'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'43'), ('YEAR', u'2006'), ('PAGE', u'7224'), ('DOI', u'10.1016/j.ijsolstr.2006.05.012'), ('REFPLAINTEXT', u'Forest, S., Sievert, R.: Nonlinear microstrain theories. Int. J. Solids Struct. 43, 7224–7245 (2006). Size-dependent Mechanics of Materials'), ('REFSTR', "{u'bibunstructured': u'Forest, S., Sievert, R.: Nonlinear microstrain theories. Int. J. Solids Struct. 43, 7224\\u20137245 (2006). Size-dependent Mechanics of Materials', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Forest', u'initials': u'S'}, {u'familyname': u'Sievert', u'initials': u'R'}], u'occurrence': [{u'handle': u'2281498', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.ijsolstr.2006.05.012', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'43', u'firstpage': u'7224', u'lastpage': u'7245', u'bibcomments': u'Size-dependent Mechanics of Materials', u'year': u'2006', u'articletitle': {u'#text': u'Nonlinear microstrain theories', u'@language': u'En'}}, u'citationnumber': u'44.', u'@id': u'CR44'}")], [('AUTHOR_FIRST_NAME', u'VA'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('AUTHOR_FIRST_NAME', u'LP'), ('AUTHOR_LAST_NAME', u'Lebedev'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Altenbach'), ('YEAR', u'2012'), ('PUBLISHER', u'Foundations'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Micropolar'), ('PUBLISHER', u'Mechanics'), ('REFPLAINTEXT', u'Eremeyev, V.A., Lebedev, L.P., Altenbach, H.: Foundations of Micropolar Mechanics. Springer, Berlin (2012)'), ('REFSTR', "{u'bibunstructured': u'Eremeyev, V.A., Lebedev, L.P., Altenbach, H.: Foundations of Micropolar Mechanics. Springer, Berlin (2012)', u'citationnumber': u'45.', u'@id': u'CR45', u'bibbook': {u'bibauthorname': [{u'familyname': u'Eremeyev', u'initials': u'VA'}, {u'familyname': u'Lebedev', u'initials': u'LP'}, {u'familyname': u'Altenbach', u'initials': u'H'}], u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'1257.74002', u'@type': u'ZLBID'}, u'booktitle': u'Foundations of Micropolar Mechanics', u'year': u'2012', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'Holm'), ('AUTHOR_LAST_NAME', u'Altenbach'), ('AUTHOR_FIRST_NAME', u'Mircea'), ('AUTHOR_LAST_NAME', u'Brsan'), ('AUTHOR_FIRST_NAME', u'Victor A.'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('YEAR', u'2013'), ('PAGE', u'179'), ('PUBLISHER', u'Generalized'), ('PUBLISHER', u'Continua'), ('PUBLISHER', u'from'), ('PUBLISHER', u'the'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'to'), ('PUBLISHER', u'Engineering'), ('PUBLISHER', u'Applications'), ('REFPLAINTEXT', u'Altenbach, H., Bîrsan, M., Eremeyev, V.A.: Cosserat-type rods. In: Altenbach, H., Eremeyev, V.A. (eds.) Generalized Continua from the Theory to Engineering Applications, pp. 179–248. Springer, Berlin (2013)'), ('REFSTR', "{u'bibunstructured': u'Altenbach, H., B\\xeersan, M., Eremeyev, V.A.: Cosserat-type rods. In: Altenbach, H., Eremeyev, V.A. (eds.) Generalized Continua from the Theory to Engineering Applications, pp. 179\\u2013248. Springer, Berlin (2013)', u'bibchapter': {u'bibauthorname': [{u'familyname': u'Altenbach', u'initials': u'Holm'}, {u'familyname': u'B\\xeersan', u'initials': u'Mircea'}, {u'familyname': u'Eremeyev', u'initials': u'Victor A.'}], u'publisherlocation': u'Vienna', u'occurrence': {u'handle': u'10.1007/978-3-7091-1371-4_4', u'@type': u'DOI'}, u'booktitle': u'Generalized Continua from the Theory to Engineering Applications', u'firstpage': u'179', u'lastpage': u'248', u'year': u'2013', u'publishername': u'Springer Vienna', u'chaptertitle': {u'#text': u'Cosserat-Type Rods', u'@language': u'--'}}, u'citationnumber': u'46.', u'@id': u'CR46'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Spagnuolo'), ('AUTHOR_FIRST_NAME', u'U'), ('AUTHOR_LAST_NAME', u'Andreaus'), ('TITLE', u'A'), ('TITLE', u'targeted'), ('TITLE', u'review'), ('TITLE', u'on'), ('TITLE', u'large'), ('TITLE', u'deformations'), ('TITLE', u'of'), ('TITLE', u'planar'), ('TITLE', u'elastic'), ('TITLE', u'beams:'), ('TITLE', u'extensibility,'), ('TITLE', u'distributed'), ('TITLE', u'loads,'), ('TITLE', u'buckling'), ('TITLE', u'and'), ('TITLE', u'post-'), ('TITLE', u'buckling'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Solids'), ('VOLUME', u'24'), ('YEAR', u'2018'), ('PAGE', u'258'), ('DOI', u'10.1177/1081286517737000'), ('REFPLAINTEXT', u'Spagnuolo, M., Andreaus, U.: A targeted review on large deformations of planar elastic beams: extensibility, distributed loads, buckling and post-buckling. Math. Mech. Solids 24, 258–280 (2018)'), ('REFSTR', "{u'bibunstructured': u'Spagnuolo, M., Andreaus, U.: A targeted review on large deformations of planar elastic beams: extensibility, distributed loads, buckling and post-buckling. Math. Mech. Solids 24, 258\\u2013280 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Spagnuolo', u'initials': u'M'}, {u'familyname': u'Andreaus', u'initials': u'U'}], u'occurrence': [{u'handle': u'3894506', u'@type': u'AMSID'}, {u'handle': u'10.1177/1081286517737000', u'@type': u'DOI'}], u'journaltitle': u'Math. Mech. Solids', u'volumeid': u'24', u'firstpage': u'258', u'lastpage': u'280', u'year': u'2018', u'articletitle': {u'#text': u'A targeted review on large deformations of planar elastic beams: extensibility, distributed loads, buckling and post-buckling', u'@language': u'En'}}, u'citationnumber': u'47.', u'@id': u'CR47'}")], [('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Abali'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Mller'), ('AUTHOR_FIRST_NAME', u'V'), ('AUTHOR_LAST_NAME', u'Eremeyev'), ('TITLE', u'Strain'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('TITLE', u'with'), ('TITLE', u'geometric'), ('TITLE', u'nonlinearities'), ('TITLE', u'and'), ('TITLE', u'its'), ('TITLE', u'computational'), ('TITLE', u'evaluation'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Adv.'), ('JOURNAL', u'Mater.'), ('JOURNAL', u'Mod.'), ('JOURNAL', u'Process.'), ('VOLUME', u'1'), ('YEAR', u'2015'), ('PAGE', u'4'), ('REFPLAINTEXT', u'Abali, B., Müller, W., Eremeyev, V.: Strain gradient elasticity with geometric nonlinearities and its computational evaluation. Mech. Adv. Mater. Mod. Process. 1, 4 (2015)'), ('REFSTR', "{u'bibunstructured': u'Abali, B., M\\xfcller, W., Eremeyev, V.: Strain gradient elasticity with geometric nonlinearities and its computational evaluation. Mech. Adv. Mater. Mod. Process. 1, 4 (2015)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abali', u'initials': u'B'}, {u'familyname': u'M\\xfcller', u'initials': u'W'}, {u'familyname': u'Eremeyev', u'initials': u'V'}], u'occurrence': {u'handle': u'10.1186/s40759-015-0004-3', u'@type': u'DOI'}, u'journaltitle': u'Mech. Adv. Mater. Mod. Process.', u'volumeid': u'1', u'firstpage': u'4', u'year': u'2015', u'articletitle': {u'#text': u'Strain gradient elasticity with geometric nonlinearities and its computational evaluation', u'@language': u'En'}}, u'citationnumber': u'48.', u'@id': u'CR48'}")], [('AUTHOR_FIRST_NAME', u'BE'), ('AUTHOR_LAST_NAME', u'Abali'), ('AUTHOR_FIRST_NAME', u'WH'), ('AUTHOR_LAST_NAME', u'Mller'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'dellIsola'), ('TITLE', u'Theory'), ('TITLE', u'and'), ('TITLE', u'computation'), ('TITLE', u'of'), ('TITLE', u'higher'), ('TITLE', u'gradient'), ('TITLE', u'elasticity'), ('TITLE', u'theories'), ('TITLE', u'based'), ('TITLE', u'on'), ('TITLE', u'action'), ('TITLE', u'principles'), ('JOURNAL', u'Arch.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Mech.'), ('VOLUME', u'87'), ('YEAR', u'2017'), ('PAGE', u'1495'), ('REFPLAINTEXT', u'Abali, B.E., Müller, W.H., dell’Isola, F.: Theory and computation of higher gradient elasticity theories based on action principles. Arch. Appl. Mech. 87, 1495–1510 (2017)'), ('REFSTR', "{u'bibunstructured': u'Abali, B.E., M\\xfcller, W.H., dell\\u2019Isola, F.: Theory and computation of higher gradient elasticity theories based on action principles. Arch. Appl. Mech. 87, 1495\\u20131510 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Abali', u'initials': u'BE'}, {u'familyname': u'M\\xfcller', u'initials': u'WH'}, {u'familyname': u'dell\\u2019Isola', u'initials': u'F'}], u'occurrence': {u'handle': u'10.1007/s00419-017-1266-5', u'@type': u'DOI'}, u'journaltitle': u'Arch. Appl. Mech.', u'volumeid': u'87', u'firstpage': u'1495', u'lastpage': u'1510', u'year': u'2017', u'articletitle': {u'#text': u'Theory and computation of higher gradient elasticity theories based on action principles', u'@language': u'En'}}, u'citationnumber': u'49.', u'@id': u'CR49'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Riks'), ('TITLE', u'An'), ('TITLE', u'incremental'), ('TITLE', u'approach'), ('TITLE', u'to'), ('TITLE', u'the'), ('TITLE', u'solution'), ('TITLE', u'of'), ('TITLE', u'snapping'), ('TITLE', u'and'), ('TITLE', u'buckling'), ('TITLE', u'problems'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'15'), ('YEAR', u'1979'), ('PAGE', u'529'), ('DOI', u'10.1016/0020-7683(79)90081-7'), ('REFPLAINTEXT', u'Riks, E.: An incremental approach to the solution of snapping and buckling problems. Int. J. Solids Struct. 15, 529–551 (1979)'), ('REFSTR', "{u'bibunstructured': u'Riks, E.: An incremental approach to the solution of snapping and buckling problems. Int. J. Solids Struct. 15, 529\\u2013551 (1979)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Riks', u'initials': u'E'}, u'occurrence': [{u'handle': u'537646', u'@type': u'AMSID'}, {u'handle': u'10.1016/0020-7683(79)90081-7', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'15', u'firstpage': u'529', u'lastpage': u'551', u'year': u'1979', u'articletitle': {u'#text': u'An incremental approach to the solution of snapping and buckling problems', u'@language': u'En'}}, u'citationnumber': u'50.', u'@id': u'CR50'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Alouges'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Soyeur'), ('TITLE', u'On'), ('TITLE', u'global'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equations:'), ('TITLE', u'existence'), ('TITLE', u'and'), ('TITLE', u'nonuniqueness'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'TMA'), ('VOLUME', u'18'), ('ISSUE', u'11'), ('YEAR', u'1992'), ('PAGE', u'1071'), ('DOI', u'10.1016/0362-546X(92)90196-L'), ('REFPLAINTEXT', u'Alouges, F., Soyeur, A.: On global weak solutions for Landau–Lifshitz equations: existence and nonuniqueness. Nonlinear Anal. TMA 18(11), 1071–1084 (1992)'), ('REFSTR', "{u'bibunstructured': u'Alouges, F., Soyeur, A.: On global weak solutions for Landau\\u2013Lifshitz equations: existence and nonuniqueness. Nonlinear Anal. TMA 18(11), 1071\\u20131084 (1992)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Alouges', u'initials': u'F'}, {u'familyname': u'Soyeur', u'initials': u'A'}], u'issueid': u'11', u'journaltitle': u'Nonlinear Anal. TMA', u'volumeid': u'18', u'firstpage': u'1071', u'lastpage': u'1084', u'year': u'1992', u'articletitle': {u'#text': u'On global weak solutions for Landau\\u2013Lifshitz equations: existence and nonuniqueness', u'@outputmedium': u'All', u'@language': u'En'}, u'occurrence': [{u'handle': u'1167422', u'@type': u'AMSID'}, {u'handle': u'10.1016/0362-546X(92)90196-L', u'@type': u'DOI'}]}, u'citationnumber': u'1.', u'@id': u'CR1'}")], [('AUTHOR_FIRST_NAME', u'I'), ('AUTHOR_LAST_NAME', u'Bejenaru'), ('AUTHOR_FIRST_NAME', u'AD'), ('AUTHOR_LAST_NAME', u'Ionescu'), ('AUTHOR_FIRST_NAME', u'CE'), ('AUTHOR_LAST_NAME', u'Kenig'), ('AUTHOR_FIRST_NAME', u'D'), ('AUTHOR_LAST_NAME', u'Tataru'), ('TITLE', u'Global'), ('TITLE', u'Schrdinger'), ('TITLE', u'maps'), ('TITLE', u'in'), ('TITLE', u'dimensions'), ('TITLE', u'd\\ge'), ('TITLE', u'2:'), ('TITLE', u'small'), ('TITLE', u'data'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'critical'), ('TITLE', u'Sobolev'), ('TITLE', u'spaces'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Math.'), ('VOLUME', u'173'), ('YEAR', u'2011'), ('PAGE', u'1443'), ('DOI', u'10.4007/annals.2011.173.3.5'), ('REFPLAINTEXT', u'Bejenaru, I., Ionescu, A.D., Kenig, C.E., Tataru, D.: Global Schrödinger maps in dimensions d\\ge 2: small data in the critical Sobolev spaces. Ann. Math. 173, 1443–1506 (2011)'), ('REFSTR', "{u'bibunstructured': u'Bejenaru, I., Ionescu, A.D., Kenig, C.E., Tataru, D.: Global Schr\\xf6dinger maps in dimensions d\\\\ge 2: small data in the critical Sobolev spaces. Ann. Math. 173, 1443\\u20131506 (2011)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bejenaru', u'initials': u'I'}, {u'familyname': u'Ionescu', u'initials': u'AD'}, {u'familyname': u'Kenig', u'initials': u'CE'}, {u'familyname': u'Tataru', u'initials': u'D'}], u'occurrence': [{u'handle': u'2800718', u'@type': u'AMSID'}, {u'handle': u'10.4007/annals.2011.173.3.5', u'@type': u'DOI'}], u'journaltitle': u'Ann. Math.', u'volumeid': u'173', u'firstpage': u'1443', u'lastpage': u'1506', u'year': u'2011', u'articletitle': {u'#text': u'Global Schr\\xf6dinger maps in dimensions d\\\\ge 2: small data in the critical Sobolev spaces', u'@language': u'En'}}, u'citationnumber': u'2.', u'@id': u'CR2'}")], [('AUTHOR_FIRST_NAME', u'Earl A'), ('AUTHOR_LAST_NAME', u'Coddington'), ('YEAR', u'1955'), ('PUBLISHER', u'Levinson'), ('PUBLISHER', u'Norman:'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Ordinary'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Coddington, Earl A.: Levinson Norman: Theory of Ordinary Differential Equations. McGraw-Hill Book Company Inc, New York (1955)'), ('REFSTR', "{u'bibunstructured': u'Coddington, Earl A.: Levinson Norman: Theory of Ordinary Differential Equations. McGraw-Hill Book Company Inc, New York (1955)', u'citationnumber': u'3.', u'@id': u'CR3', u'bibbook': {u'publisherlocation': u'New York', u'bibauthorname': {u'familyname': u'Coddington', u'initials': u'Earl A'}, u'publishername': u'McGraw-Hill Book Company Inc', u'booktitle': u'Levinson Norman: Theory of Ordinary Differential Equations', u'year': u'1955'}}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Hausdorff'), ('TITLE', u'measure'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'singular'), ('TITLE', u'set'), ('TITLE', u'of'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equations'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'nonlocal'), ('TITLE', u'term'), ('JOURNAL', u'Commun.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'250'), ('ISSUE', u'1'), ('YEAR', u'2004'), ('PAGE', u'95'), ('DOI', u'10.1007/s00220-004-1120-9'), ('REFPLAINTEXT', u'Ding, S., Guo, B.: Hausdorff measure of the singular set of Landau–Lifshitz equations with a nonlocal term. Commun. Math. Phys. 250(1), 95–117 (2004)'), ('REFSTR', "{u'bibunstructured': u'Ding, S., Guo, B.: Hausdorff measure of the singular set of Landau\\u2013Lifshitz equations with a nonlocal term. Commun. Math. Phys. 250(1), 95\\u2013117 (2004)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ding', u'initials': u'S'}, {u'familyname': u'Guo', u'initials': u'B'}], u'issueid': u'1', u'journaltitle': u'Commun. Math. Phys.', u'volumeid': u'250', u'firstpage': u'95', u'lastpage': u'117', u'year': u'2004', u'articletitle': {u'#text': u'Hausdorff measure of the singular set of Landau\\u2013Lifshitz equations with a nonlocal term', u'@language': u'En'}, u'occurrence': [{u'handle': u'2092031', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00220-004-1120-9', u'@type': u'DOI'}]}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Existence'), ('TITLE', u'of'), ('TITLE', u'partially'), ('TITLE', u'regular'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'LandauLifshitzMaxwell'), ('TITLE', u'equations'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'244'), ('YEAR', u'2008'), ('PAGE', u'2448'), ('DOI', u'10.1016/j.jde.2008.02.029'), ('REFPLAINTEXT', u'Ding, S., Guo, B.: Existence of partially regular weak solutions to Landau–Lifshitz–Maxwell equations. J. Differ. Equ. 244, 2448–2472 (2008)'), ('REFSTR', "{u'bibunstructured': u'Ding, S., Guo, B.: Existence of partially regular weak solutions to Landau\\u2013Lifshitz\\u2013Maxwell equations. J. Differ. Equ. 244, 2448\\u20132472 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ding', u'initials': u'S'}, {u'familyname': u'Guo', u'initials': u'B'}], u'occurrence': [{u'handle': u'2414401', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.jde.2008.02.029', u'@type': u'DOI'}], u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'244', u'firstpage': u'2448', u'lastpage': u'2472', u'year': u'2008', u'articletitle': {u'#text': u'Existence of partially regular weak solutions to Landau\\u2013Lifshitz\\u2013Maxwell equations', u'@language': u'En'}}, u'citationnumber': u'5.', u'@id': u'CR5'}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Liu'), ('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'The'), ('TITLE', u'LandauLifshitzMaxwell'), ('TITLE', u'equation'), ('TITLE', u'in'), ('TITLE', u'dimension'), ('TITLE', u'three'), ('JOURNAL', u'Pac.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('VOLUME', u'243'), ('ISSUE', u'2'), ('YEAR', u'2009'), ('PAGE', u'243'), ('DOI', u'10.2140/pjm.2009.243.243'), ('REFPLAINTEXT', u'Ding, S., Liu, X., Wang, C.: The Landau–Lifshitz–Maxwell equation in dimension three. Pac. J. Math. 243(2), 243–276 (2009)'), ('REFSTR', "{u'bibunstructured': u'Ding, S., Liu, X., Wang, C.: The Landau\\u2013Lifshitz\\u2013Maxwell equation in dimension three. Pac. J. Math. 243(2), 243\\u2013276 (2009)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ding', u'initials': u'S'}, {u'familyname': u'Liu', u'initials': u'X'}, {u'familyname': u'Wang', u'initials': u'C'}], u'issueid': u'2', u'journaltitle': u'Pac. J. Math.', u'volumeid': u'243', u'firstpage': u'243', u'lastpage': u'276', u'year': u'2009', u'articletitle': {u'#text': u'The Landau\\u2013Lifshitz\\u2013Maxwell equation in dimension three', u'@language': u'En'}, u'occurrence': [{u'handle': u'2552258', u'@type': u'AMSID'}, {u'handle': u'10.2140/pjm.2009.243.243', u'@type': u'DOI'}]}, u'citationnumber': u'6.', u'@id': u'CR6'}")], [('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Evans'), ('YEAR', u'1998'), ('PUBLISHER', u'Partial'), ('PUBLISHER', u'Differential'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Evans, L.: Partial Differential Equations. American Mathematical Society, Providence (1998)'), ('REFSTR', "{u'bibunstructured': u'Evans, L.: Partial Differential Equations. American Mathematical Society, Providence (1998)', u'citationnumber': u'7.', u'@id': u'CR7', u'bibbook': {u'bibauthorname': {u'familyname': u'Evans', u'initials': u'L'}, u'publisherlocation': u'Providence', u'occurrence': {u'handle': u'0902.35002', u'@type': u'ZLBID'}, u'booktitle': u'Partial Differential Equations', u'year': u'1998', u'publishername': u'American Mathematical Society'}}")], [('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Gilbert'), ('TITLE', u'A'), ('TITLE', u'Lagrangian'), ('TITLE', u'formulation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'gyromagnetic'), ('TITLE', u'equation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'magnetization'), ('TITLE', u'field'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('VOLUME', u'100'), ('ISSUE', u'52'), ('YEAR', u'1955'), ('PAGE', u'1243'), ('REFPLAINTEXT', u'Gilbert, T.: A Lagrangian formulation of the gyromagnetic equation of the magnetization field. Phys. Rev. 100(52), 1243 (1955)'), ('REFSTR', "{u'bibunstructured': u'Gilbert, T.: A Lagrangian formulation of the gyromagnetic equation of the magnetization field. Phys. Rev. 100(52), 1243 (1955)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Gilbert', u'initials': u'T'}, u'issueid': u'52', u'journaltitle': u'Phys. Rev.', u'volumeid': u'100', u'firstpage': u'1243', u'year': u'1955', u'articletitle': {u'#text': u'A Lagrangian formulation of the gyromagnetic equation of the magnetization field', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Garca-Cervera'), ('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'Spin-'), ('TITLE', u'Polarized'), ('TITLE', u'transport:'), ('TITLE', u'existence'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('JOURNAL', u'Discrete'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Dyn.'), ('JOURNAL', u'Syst.'), ('JOURNAL', u'Ser.'), ('JOURNAL', u'B'), ('VOLUME', u'7'), ('ISSUE', u'1'), ('YEAR', u'2007'), ('PAGE', u'87'), ('DOI', u'10.3934/dcdsb.2007.7.87'), ('REFPLAINTEXT', u'García-Cervera, C., Wang, X.: Spin-Polarized transport: existence of weak solutions. Discrete Contin. Dyn. Syst. Ser. B 7(1), 87–100 (2007)'), ('REFSTR', "{u'bibunstructured': u'Garc\\xeda-Cervera, C., Wang, X.: Spin-Polarized transport: existence of weak solutions. Discrete Contin. Dyn. Syst. Ser. B 7(1), 87\\u2013100 (2007)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Garc\\xeda-Cervera', u'initials': u'C'}, {u'familyname': u'Wang', u'initials': u'X'}], u'issueid': u'1', u'journaltitle': u'Discrete Contin. Dyn. Syst. Ser. B', u'volumeid': u'7', u'firstpage': u'87', u'lastpage': u'100', u'year': u'2007', u'articletitle': {u'#text': u'Spin-Polarized transport: existence of weak solutions', u'@language': u'En'}, u'occurrence': [{u'handle': u'2257453', u'@type': u'AMSID'}, {u'handle': u'10.3934/dcdsb.2007.7.87', u'@type': u'DOI'}]}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ding'), ('YEAR', u'2008'), ('PUBLISHER', u'Landau–Lifshitz'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Guo, B., Ding, S.: Landau–Lifshitz Equations. World Scientific Press, Singapore (2008)'), ('REFSTR', "{u'bibunstructured': u'Guo, B., Ding, S.: Landau\\u2013Lifshitz Equations. World Scientific Press, Singapore (2008)', u'citationnumber': u'10.', u'@id': u'CR10', u'bibbook': {u'bibauthorname': [{u'familyname': u'Guo', u'initials': u'B'}, {u'familyname': u'Ding', u'initials': u'S'}], u'publisherlocation': u'Singapore', u'occurrence': {u'handle': u'10.1142/6658', u'@type': u'DOI'}, u'booktitle': u'Landau\\u2013Lifshitz Equations', u'year': u'2008', u'publishername': u'World Scientific Press'}}")], [('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Pu'), ('TITLE', u'Global'), ('TITLE', u'smooth'), ('TITLE', u'solutions'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'spin'), ('TITLE', u'polarized'), ('TITLE', u'transport'), ('TITLE', u'equation'), ('JOURNAL', u'Electron.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'63'), ('YEAR', u'2008'), ('PAGE', u'359'), ('REFPLAINTEXT', u'Guo, B., Pu, X.: Global smooth solutions of the spin polarized transport equation. Electron. J. Differ. Equ. 63, 359–370 (2008)'), ('REFSTR', "{u'bibunstructured': u'Guo, B., Pu, X.: Global smooth solutions of the spin polarized transport equation. Electron. J. Differ. Equ. 63, 359\\u2013370 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Guo', u'initials': u'B'}, {u'familyname': u'Pu', u'initials': u'X'}], u'occurrence': [{u'handle': u'2411058', u'@type': u'AMSID'}, {u'handle': u'1170.35306', u'@type': u'ZLBID'}], u'journaltitle': u'Electron. J. Differ. Equ.', u'volumeid': u'63', u'firstpage': u'359', u'lastpage': u'370', u'year': u'2008', u'articletitle': {u'#text': u'Global smooth solutions of the spin polarized transport equation', u'@language': u'En'}}, u'citationnumber': u'11.', u'@id': u'CR11'}")], [('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Su'), ('TITLE', u'Global'), ('TITLE', u'weak'), ('TITLE', u'solution'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'LandauLifshitzMaxwell'), ('TITLE', u'equation'), ('TITLE', u'in'), ('TITLE', u'three'), ('TITLE', u'space'), ('TITLE', u'dimensions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'211'), ('YEAR', u'1997'), ('PAGE', u'326'), ('DOI', u'10.1006/jmaa.1997.5467'), ('REFPLAINTEXT', u'Guo, B., Su, F.: Global weak solution for the Landau–Lifshitz–Maxwell equation in three space dimensions. J. Math. Anal. Appl. 211, 326–346 (1997)'), ('REFSTR', "{u'bibunstructured': u'Guo, B., Su, F.: Global weak solution for the Landau\\u2013Lifshitz\\u2013Maxwell equation in three space dimensions. J. Math. Anal. Appl. 211, 326\\u2013346 (1997)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Guo', u'initials': u'B'}, {u'familyname': u'Su', u'initials': u'F'}], u'occurrence': [{u'handle': u'1460175', u'@type': u'AMSID'}, {u'handle': u'10.1006/jmaa.1997.5467', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Anal. Appl.', u'volumeid': u'211', u'firstpage': u'326', u'lastpage': u'346', u'year': u'1997', u'articletitle': {u'#text': u'Global weak solution for the Landau\\u2013Lifshitz\\u2013Maxwell equation in three space dimensions', u'@language': u'En'}}, u'citationnumber': u'12.', u'@id': u'CR12'}")], [('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Jochmann'), ('TITLE', u'Existence'), ('TITLE', u'of'), ('TITLE', u'weak'), ('TITLE', u'solutions'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'drift'), ('TITLE', u'diffusion'), ('TITLE', u'model'), ('TITLE', u'coupled'), ('TITLE', u'with'), ('TITLE', u'Maxwells'), ('TITLE', u'equations'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('JOURNAL', u'Appl.'), ('VOLUME', u'204'), ('YEAR', u'1996'), ('PAGE', u'655'), ('DOI', u'10.1006/jmaa.1996.0460'), ('REFPLAINTEXT', u'Jochmann, F.: Existence of weak solutions of the drift diffusion model coupled with Maxwell’s equations. J. Math. Anal. Appl. 204, 655–676 (1996)'), ('REFSTR', "{u'bibunstructured': u'Jochmann, F.: Existence of weak solutions of the drift diffusion model coupled with Maxwell\\u2019s equations. J. Math. Anal. Appl. 204, 655\\u2013676 (1996)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Jochmann', u'initials': u'F'}, u'occurrence': [{u'handle': u'1422765', u'@type': u'AMSID'}, {u'handle': u'10.1006/jmaa.1996.0460', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Anal. Appl.', u'volumeid': u'204', u'firstpage': u'655', u'lastpage': u'676', u'year': u'1996', u'articletitle': {u'#text': u'Existence of weak solutions of the drift diffusion model coupled with Maxwell\\u2019s equations', u'@language': u'En'}}, u'citationnumber': u'13.', u'@id': u'CR13'}")], [('AUTHOR_FIRST_NAME', u'Tosio'), ('AUTHOR_LAST_NAME', u'Kato'), ('YEAR', u'1975'), ('PAGE', u'25'), ('PUBLISHER', u'Lecture'), ('PUBLISHER', u'Notes'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Mathematics'), ('REFPLAINTEXT', u'Kato, T.: Quasi-linear equations of evolution, with applications to partial differential equations. In: Spectral Theory and Differential Equations. Lecture Notes in Math., vol. 448, pp. 25–70. Springer, Berlin (1975)'), ('REFSTR', "{u'bibunstructured': u'Kato, T.: Quasi-linear equations of evolution, with applications to partial differential equations. In: Spectral Theory and Differential Equations. Lecture Notes in Math., vol. 448, pp. 25\\u201370. Springer, Berlin (1975)', u'bibchapter': {u'bibauthorname': {u'familyname': u'Kato', u'initials': u'Tosio'}, u'publisherlocation': u'Berlin, Heidelberg', u'booktitle': u'Lecture Notes in Mathematics', u'firstpage': u'25', u'lastpage': u'70', u'year': u'1975', u'publishername': u'Springer Berlin Heidelberg', u'chaptertitle': {u'#text': u'Quasi-linear equations of evolution, with applications to partial differential equations', u'@language': u'--'}}, u'citationnumber': u'14.', u'@id': u'CR14'}")], [('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Landau'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Lifshitz'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'theory'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'dispersion'), ('TITLE', u'of'), ('TITLE', u'magnetic'), ('TITLE', u'permeability'), ('TITLE', u'in'), ('TITLE', u'ferromagnetic'), ('TITLE', u'bodies'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Z.'), ('JOURNAL', u'der'), ('JOURNAL', u'Sowjetunion'), ('VOLUME', u'8'), ('YEAR', u'1935'), ('PAGE', u'153'), ('REFPLAINTEXT', u'Landau, L., Lifshitz, E.: On the theory of the dispersion of magnetic permeability in ferromagnetic bodies. Phys. Z. der Sowjetunion 8, 153–169 (1935)'), ('REFSTR', "{u'bibunstructured': u'Landau, L., Lifshitz, E.: On the theory of the dispersion of magnetic permeability in ferromagnetic bodies. Phys. Z. der Sowjetunion 8, 153\\u2013169 (1935)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Landau', u'initials': u'L'}, {u'familyname': u'Lifshitz', u'initials': u'E'}], u'occurrence': {u'handle': u'0012.28501', u'@type': u'ZLBID'}, u'journaltitle': u'Phys. Z. der Sowjetunion', u'volumeid': u'8', u'firstpage': u'153', u'lastpage': u'169', u'year': u'1935', u'articletitle': {u'#text': u'On the theory of the dispersion of magnetic permeability in ferromagnetic bodies', u'@language': u'En'}}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('REFPLAINTEXT', u'Moser R.: Partial regularity for the Landau–Lifshitz equation in small dimensions, vol. 26. MPI Preprint (2002)'), ('REFSTR', "{u'bibunstructured': u'Moser R.: Partial regularity for the Landau\\u2013Lifshitz equation in small dimensions, vol. 26. MPI Preprint (2002)', u'citationnumber': u'16.', u'@id': u'CR16'}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Pazy'), ('YEAR', u'1983'), ('PUBLISHER', u'Semigroups'), ('PUBLISHER', u'of'), ('PUBLISHER', u'linear'), ('PUBLISHER', u'operators'), ('PUBLISHER', u'and'), ('PUBLISHER', u'applications'), ('PUBLISHER', u'to'), ('PUBLISHER', u'partial'), ('PUBLISHER', u'differential'), ('PUBLISHER', u'equations'), ('REFPLAINTEXT', u'Pazy, A.: Semigroups of linear operators and applications to partial differential equations. Springer, Berlin (1983)'), ('REFSTR', "{u'bibunstructured': u'Pazy, A.: Semigroups of linear operators and applications to partial differential equations. Springer, Berlin (1983)', u'citationnumber': u'17.', u'@id': u'CR17', u'bibbook': {u'bibauthorname': {u'familyname': u'Pazy', u'initials': u'A'}, u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/978-1-4612-5561-1', u'@type': u'DOI'}, u'booktitle': u'Semigroups of linear operators and applications to partial differential equations', u'year': u'1983', u'publishername': u'Springer'}}")], [('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Pu'), ('AUTHOR_FIRST_NAME', u'B'), ('AUTHOR_LAST_NAME', u'Guo'), ('TITLE', u'Global'), ('TITLE', u'smooth'), ('TITLE', u'solutions'), ('TITLE', u'for'), ('TITLE', u'the'), ('TITLE', u'one-'), ('TITLE', u'dimensional'), ('TITLE', u'spin-'), ('TITLE', u'polarized'), ('TITLE', u'transport'), ('TITLE', u'equation'), ('JOURNAL', u'Nonlinear'), ('JOURNAL', u'Anal.'), ('VOLUME', u'72'), ('YEAR', u'2010'), ('PAGE', u'1481'), ('DOI', u'10.1016/j.na.2009.08.032'), ('REFPLAINTEXT', u'Pu, X., Guo, B.: Global smooth solutions for the one-dimensional spin-polarized transport equation. Nonlinear Anal. 72, 1481–1487 (2010)'), ('REFSTR', "{u'bibunstructured': u'Pu, X., Guo, B.: Global smooth solutions for the one-dimensional spin-polarized transport equation. Nonlinear Anal. 72, 1481\\u20131487 (2010)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Pu', u'initials': u'X'}, {u'familyname': u'Guo', u'initials': u'B'}], u'occurrence': [{u'handle': u'2577549', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.na.2009.08.032', u'@type': u'DOI'}], u'journaltitle': u'Nonlinear Anal.', u'volumeid': u'72', u'firstpage': u'1481', u'lastpage': u'1487', u'year': u'2010', u'articletitle': {u'#text': u'Global smooth solutions for the one-dimensional spin-polarized transport equation', u'@language': u'En'}}, u'citationnumber': u'18.', u'@id': u'CR18'}")], [('ARXIV', '1808.01798'), ('REFPLAINTEXT', u'Pu, X., Wang, W.: Partial regularity to the Landau–Lifshitz equation with spin accumulation.'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Pu, X., Wang, W.: Partial regularity to the Landau\\u2013Lifshitz equation with spin accumulation.', u'externalref': {u'refsource': u'arXiv:1808.01798', u'reftarget': {u'@address': u'http://arxiv.org/abs/1808.01798', u'@targettype': u'URL'}}}, u'citationnumber': u'19.', u'@id': u'CR19'}")], [('AUTHOR_FIRST_NAME', u'X'), ('AUTHOR_LAST_NAME', u'Pu'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Wang'), ('AUTHOR_FIRST_NAME', u'W'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'The'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equation'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'ferromagnetic'), ('TITLE', u'spin'), ('TITLE', u'chain'), ('TITLE', u'and'), ('TITLE', u'OseenFrank'), ('TITLE', u'flow'), ('JOURNAL', u'SIAM'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Anal.'), ('VOLUME', u'49'), ('ISSUE', u'6'), ('YEAR', u'2017'), ('PAGE', u'5134'), ('DOI', u'10.1137/16M1094907'), ('REFPLAINTEXT', u'Pu, X., Wang, M., Wang, W.: The Landau–Lifshitz equation of the ferromagnetic spin chain and Oseen–Frank flow. SIAM J. Math. Anal. 49(6), 5134–5157 (2017)'), ('REFSTR', "{u'bibunstructured': u'Pu, X., Wang, M., Wang, W.: The Landau\\u2013Lifshitz equation of the ferromagnetic spin chain and Oseen\\u2013Frank flow. SIAM J. Math. Anal. 49(6), 5134\\u20135157 (2017)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Pu', u'initials': u'X'}, {u'familyname': u'Wang', u'initials': u'M'}, {u'familyname': u'Wang', u'initials': u'W'}], u'issueid': u'6', u'journaltitle': u'SIAM J. Math. Anal.', u'volumeid': u'49', u'firstpage': u'5134', u'lastpage': u'5157', u'year': u'2017', u'articletitle': {u'#text': u'The Landau\\u2013Lifshitz equation of the ferromagnetic spin chain and Oseen\\u2013Frank flow', u'@language': u'En'}, u'occurrence': [{u'handle': u'3738308', u'@type': u'AMSID'}, {u'handle': u'10.1137/16M1094907', u'@type': u'DOI'}]}, u'citationnumber': u'20.', u'@id': u'CR20'}")], [('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Simon'), ('TITLE', u'Compact'), ('TITLE', u'sets'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'space'), ('TITLE', u'L(0,'), ('TITLE', u'T;B)'), ('JOURNAL', u'Ann.'), ('JOURNAL', u'Mat.'), ('JOURNAL', u'Pura'), ('JOURNAL', u'Appl.'), ('VOLUME', u'196'), ('YEAR', u'1987'), ('PAGE', u'65'), ('REFPLAINTEXT', u'Simon, J.: Compact sets in the space L(0, T;B). Ann. Mat. Pura Appl. 196, 65–96 (1987)'), ('REFSTR', "{u'bibunstructured': {u'#text': u'Simon, J.: Compact sets in the space L(0, T;B). Ann. Mat. Pura Appl. 196, 65\\u201396 (1987)', u'sup': u'p'}, u'bibarticle': {u'bibauthorname': {u'familyname': u'Simon', u'initials': u'J'}, u'occurrence': {u'handle': u'0629.46031', u'@type': u'ZLBID'}, u'journaltitle': u'Ann. Mat. Pura Appl.', u'volumeid': u'196', u'firstpage': u'65', u'lastpage': u'96', u'year': u'1987', u'articletitle': {u'#text': u'Compact sets in the space L(0, T;B)', u'sup': u'p', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")], [('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Wang'), ('TITLE', u'On'), ('TITLE', u'LandauLifshitz'), ('TITLE', u'equation'), ('TITLE', u'in'), ('TITLE', u'dimensions'), ('TITLE', u'at'), ('TITLE', u'most'), ('TITLE', u'four'), ('JOURNAL', u'Indiana'), ('JOURNAL', u'Univ.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'J.'), ('VOLUME', u'55'), ('ISSUE', u'5'), ('YEAR', u'2006'), ('PAGE', u'1615'), ('DOI', u'10.1512/iumj.2006.55.2810'), ('REFPLAINTEXT', u'Wang, C.: On Landau–Lifshitz equation in dimensions at most four. Indiana Univ. Math. J. 55(5), 1615–1644 (2006)'), ('REFSTR', "{u'bibunstructured': u'Wang, C.: On Landau\\u2013Lifshitz equation in dimensions at most four. Indiana Univ. Math. J. 55(5), 1615\\u20131644 (2006)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Wang', u'initials': u'C'}, u'issueid': u'5', u'journaltitle': u'Indiana Univ. Math. J.', u'volumeid': u'55', u'firstpage': u'1615', u'lastpage': u'1644', u'year': u'2006', u'articletitle': {u'#text': u'On Landau\\u2013Lifshitz equation in dimensions at most four', u'@language': u'En'}, u'occurrence': [{u'handle': u'2270931', u'@type': u'AMSID'}, {u'handle': u'10.1512/iumj.2006.55.2810', u'@type': u'DOI'}]}, u'citationnumber': u'22.', u'@id': u'CR22'}")], [('AUTHOR_FIRST_NAME', u'N'), ('AUTHOR_LAST_NAME', u'Zamponi'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Jngel'), ('TITLE', u'Analysis'), ('TITLE', u'of'), ('TITLE', u'a'), ('TITLE', u'coupled'), ('TITLE', u'spin'), ('TITLE', u'driftdiffusion'), ('TITLE', u'MaxwellLandauLifshitz'), ('TITLE', u'system'), ('JOURNAL', u'J.'), ('JOURNAL', u'Differ.'), ('JOURNAL', u'Equ.'), ('VOLUME', u'260'), ('ISSUE', u'9'), ('YEAR', u'2016'), ('PAGE', u'6828'), ('DOI', u'10.1016/j.jde.2016.01.010'), ('REFPLAINTEXT', u'Zamponi, N., Jüngel, A.: Analysis of a coupled spin drift–diffusion Maxwell–Landau–Lifshitz system. J. Differ. Equ. 260(9), 6828–6854 (2016)'), ('REFSTR', "{u'bibunstructured': u'Zamponi, N., J\\xfcngel, A.: Analysis of a coupled spin drift\\u2013diffusion Maxwell\\u2013Landau\\u2013Lifshitz system. J. Differ. Equ. 260(9), 6828\\u20136854 (2016)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zamponi', u'initials': u'N'}, {u'familyname': u'J\\xfcngel', u'initials': u'A'}], u'issueid': u'9', u'journaltitle': u'J. Differ. Equ.', u'volumeid': u'260', u'firstpage': u'6828', u'lastpage': u'6854', u'year': u'2016', u'articletitle': {u'#text': u'Analysis of a coupled spin drift\\u2013diffusion Maxwell\\u2013Landau\\u2013Lifshitz system', u'@language': u'En'}, u'occurrence': [{u'handle': u'3461086', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.jde.2016.01.010', u'@type': u'DOI'}]}, u'citationnumber': u'23.', u'@id': u'CR23'}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Zheng'), ('AUTHOR_FIRST_NAME', u'PM'), ('AUTHOR_LAST_NAME', u'Levy'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Fert'), ('TITLE', u'Mechanisms'), ('TITLE', u'of'), ('TITLE', u'spin-'), ('TITLE', u'polarized'), ('TITLE', u'current-'), ('TITLE', u'driven'), ('TITLE', u'magnetization'), ('TITLE', u'switching'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'Lett.'), ('VOLUME', u'88'), ('ISSUE', u'23'), ('YEAR', u'2002'), ('PAGE', u'236601'), ('REFPLAINTEXT', u'Zheng, S., Levy, P.M., Fert, A.: Mechanisms of spin-polarized current-driven magnetization switching. Phys. Rev. Lett. 88(23), 236601 (2002)'), ('REFSTR', "{u'bibunstructured': u'Zheng, S., Levy, P.M., Fert, A.: Mechanisms of spin-polarized current-driven magnetization switching. Phys. Rev. Lett. 88(23), 236601 (2002)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zheng', u'initials': u'S'}, {u'familyname': u'Levy', u'initials': u'PM'}, {u'familyname': u'Fert', u'initials': u'A'}], u'issueid': u'23', u'journaltitle': u'Phys. Rev. Lett.', u'volumeid': u'88', u'firstpage': u'236601', u'year': u'2002', u'articletitle': {u'#text': u'Mechanisms of spin-polarized current-driven magnetization switching', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1103/PhysRevLett.88.236601', u'@type': u'DOI'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")], [('AUTHOR_FIRST_NAME', u'MJ'), ('AUTHOR_LAST_NAME', u'Ablowitz'), ('AUTHOR_FIRST_NAME', u'PA'), ('AUTHOR_LAST_NAME', u'Clarkson'), ('YEAR', u'1991'), ('PUBLISHER', u'Solitons,'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Evolution'), ('PUBLISHER', u'Equations'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Inverse'), ('PUBLISHER', u'Scattering'), ('REFPLAINTEXT', u'Ablowitz, M.J., Clarkson, P.A.: Solitons, Nonlinear Evolution Equations and Inverse Scattering. Cambridge University Press, Cambridge (1991)'), ('REFSTR', "{u'bibunstructured': u'Ablowitz, M.J., Clarkson, P.A.: Solitons, Nonlinear Evolution Equations and Inverse Scattering. Cambridge University Press, Cambridge (1991)', u'citationnumber': u'1.', u'@id': u'CR1', u'bibbook': {u'bibauthorname': [{u'familyname': u'Ablowitz', u'initials': u'MJ'}, {u'familyname': u'Clarkson', u'initials': u'PA'}], u'publisherlocation': u'Cambridge', u'occurrence': {u'handle': u'10.1017/CBO9780511623998', u'@type': u'DOI'}, u'booktitle': u'Solitons, Nonlinear Evolution Equations and Inverse Scattering', u'year': u'1991', u'publishername': u'Cambridge University Press'}}")], [('AUTHOR_FIRST_NAME', u'JD'), ('AUTHOR_LAST_NAME', u'Achenbach'), ('YEAR', u'1973'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Propagation'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Solids'), ('REFPLAINTEXT', u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North Holland Publishing Company, Amsterdam (1973)'), ('REFSTR', "{u'bibunstructured': u'Achenbach, J.D.: Wave Propagation in Elastic Solids. North Holland Publishing Company, Amsterdam (1973)', u'citationnumber': u'2.', u'@id': u'CR2', u'bibbook': {u'bibauthorname': {u'familyname': u'Achenbach', u'initials': u'JD'}, u'publisherlocation': u'Amsterdam', u'occurrence': {u'handle': u'0268.73005', u'@type': u'ZLBID'}, u'booktitle': u'Wave Propagation in Elastic Solids', u'year': u'1973', u'publishername': u'North Holland Publishing Company'}}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ahmetolan'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Non-'), ('TITLE', u'linear'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'two-'), ('TITLE', u'layered'), ('TITLE', u'plate'), ('TITLE', u'and'), ('TITLE', u'formation'), ('TITLE', u'of'), ('TITLE', u'surface'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Non'), ('JOURNAL', u'Linear'), ('JOURNAL', u'Mech.'), ('VOLUME', u'38'), ('YEAR', u'2003'), ('PAGE', u'1237'), ('DOI', u'10.1016/S0020-7462(02)00070-7'), ('REFPLAINTEXT', u'Ahmetolan, S., Teymur, M.: Non-linear modulation of SH waves in a two-layered plate and formation of surface SH waves. Int. J. Non Linear Mech. 38, 1237–1250 (2003)'), ('REFSTR', "{u'bibunstructured': u'Ahmetolan, S., Teymur, M.: Non-linear modulation of SH waves in a two-layered plate and formation of surface SH waves. Int. J. Non Linear Mech. 38, 1237\\u20131250 (2003)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ahmetolan', u'initials': u'S'}, {u'familyname': u'Teymur', u'initials': u'M'}], u'occurrence': [{u'handle': u'1955183', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0020-7462(02)00070-7', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Non Linear Mech.', u'volumeid': u'38', u'firstpage': u'1237', u'lastpage': u'1250', u'year': u'2003', u'articletitle': {u'#text': u'Non-linear modulation of SH waves in a two-layered plate and formation of surface SH waves', u'@outputmedium': u'All', u'@language': u'En'}}, u'citationnumber': u'3.', u'@id': u'CR3'}")], [('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ahmetolan'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Nonlinear'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'incompressible'), ('TITLE', u'hyperelastic'), ('TITLE', u'plate'), ('JOURNAL', u'Z.'), ('JOURNAL', u'Angew.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'58'), ('YEAR', u'2007'), ('PAGE', u'457'), ('DOI', u'10.1007/s00033-005-0056-z'), ('REFPLAINTEXT', u'Ahmetolan, S., Teymur, M.: Nonlinear modulation of SH waves in an incompressible hyperelastic plate. Z. Angew. Math. Phys. 58, 457–474 (2007)'), ('REFSTR', "{u'bibunstructured': u'Ahmetolan, S., Teymur, M.: Nonlinear modulation of SH waves in an incompressible hyperelastic plate. Z. Angew. Math. Phys. 58, 457\\u2013474 (2007)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Ahmetolan', u'initials': u'S'}, {u'familyname': u'Teymur', u'initials': u'M'}], u'occurrence': [{u'handle': u'2320226', u'@type': u'AMSID'}, {u'handle': u'10.1007/s00033-005-0056-z', u'@type': u'DOI'}], u'journaltitle': u'Z. Angew. Math. Phys.', u'volumeid': u'58', u'firstpage': u'457', u'lastpage': u'474', u'year': u'2007', u'articletitle': {u'#text': u'Nonlinear modulation of SH waves in an incompressible hyperelastic plate', u'@language': u'En'}}, u'citationnumber': u'4.', u'@id': u'CR4'}")], [('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Bataille'), ('AUTHOR_FIRST_NAME', u'F'), ('AUTHOR_LAST_NAME', u'Lund'), ('TITLE', u'Nonlinear'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'elastic'), ('TITLE', u'media'), ('JOURNAL', u'Physica'), ('JOURNAL', u'D'), ('VOLUME', u'6'), ('ISSUE', u'1'), ('YEAR', u'1982'), ('PAGE', u'95'), ('DOI', u'10.1016/0167-2789(82)90007-0'), ('REFPLAINTEXT', u'Bataille, K., Lund, F.: Nonlinear waves in elastic media. Physica D 6(1), 95–104 (1982)'), ('REFSTR', "{u'bibunstructured': u'Bataille, K., Lund, F.: Nonlinear waves in elastic media. Physica D 6(1), 95\\u2013104 (1982)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Bataille', u'initials': u'K'}, {u'familyname': u'Lund', u'initials': u'F'}], u'issueid': u'1', u'journaltitle': u'Physica D', u'volumeid': u'6', u'firstpage': u'95', u'lastpage': u'104', u'year': u'1982', u'articletitle': {u'#text': u'Nonlinear waves in elastic media', u'@language': u'En'}, u'occurrence': [{u'handle': u'680897', u'@type': u'AMSID'}, {u'handle': u'10.1016/0167-2789(82)90007-0', u'@type': u'DOI'}]}, u'citationnumber': u'5.', u'@id': u'CR5'}")], [('AUTHOR_FIRST_NAME', u'MM'), ('AUTHOR_LAST_NAME', u'Carroll'), ('TITLE', u'Some'), ('TITLE', u'results'), ('TITLE', u'on'), ('TITLE', u'finite'), ('TITLE', u'amplitude'), ('TITLE', u'elastic'), ('TITLE', u'waves'), ('JOURNAL', u'Acta'), ('JOURNAL', u'Mech.'), ('VOLUME', u'3'), ('YEAR', u'1967'), ('PAGE', u'167'), ('REFPLAINTEXT', u'Carroll, M.M.: Some results on finite amplitude elastic waves. Acta Mech. 3, 167–181 (1967)'), ('REFSTR', "{u'bibunstructured': u'Carroll, M.M.: Some results on finite amplitude elastic waves. Acta Mech. 3, 167\\u2013181 (1967)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Carroll', u'initials': u'MM'}, u'occurrence': {u'handle': u'10.1007/BF01453713', u'@type': u'DOI'}, u'journaltitle': u'Acta Mech.', u'volumeid': u'3', u'firstpage': u'167', u'lastpage': u'181', u'year': u'1967', u'articletitle': {u'#text': u'Some results on finite amplitude elastic waves', u'@language': u'En'}}, u'citationnumber': u'6.', u'@id': u'CR6'}")], [('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Deliktas'), ('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Surface'), ('TITLE', u'shear'), ('TITLE', u'horizontal'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'double-'), ('TITLE', u'layered'), ('TITLE', u'nonlinear'), ('TITLE', u'elastic'), ('TITLE', u'half'), ('TITLE', u'space'), ('JOURNAL', u'IMA'), ('JOURNAL', u'J.'), ('JOURNAL', u'Appl.'), ('JOURNAL', u'Math.'), ('VOLUME', u'83'), ('ISSUE', u'3'), ('YEAR', u'2018'), ('PAGE', u'471'), ('DOI', u'10.1093/imamat/hxy009'), ('REFPLAINTEXT', u'Deliktas, E., Teymur, M.: Surface shear horizontal waves in a double-layered nonlinear elastic half space. IMA J. Appl. Math. 83(3), 471–495 (2018)'), ('REFSTR', "{u'bibunstructured': u'Deliktas, E., Teymur, M.: Surface shear horizontal waves in a double-layered nonlinear elastic half space. IMA J. Appl. Math. 83(3), 471\\u2013495 (2018)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Deliktas', u'initials': u'E'}, {u'familyname': u'Teymur', u'initials': u'M'}], u'issueid': u'3', u'journaltitle': u'IMA J. Appl. Math.', u'volumeid': u'83', u'firstpage': u'471', u'lastpage': u'495', u'year': u'2018', u'articletitle': {u'#text': u'Surface shear horizontal waves in a double-layered nonlinear elastic half space', u'@language': u'En'}, u'occurrence': [{u'handle': u'3810216', u'@type': u'AMSID'}, {u'handle': u'10.1093/imamat/hxy009', u'@type': u'DOI'}]}, u'citationnumber': u'7.', u'@id': u'CR7'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Destrade'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('TITLE', u'Finite'), ('TITLE', u'amplitude'), ('TITLE', u'elastic'), ('TITLE', u'waves'), ('TITLE', u'propagating'), ('TITLE', u'in'), ('TITLE', u'compressible'), ('TITLE', u'solids'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'72'), ('YEAR', u'2005'), ('PAGE', u'016620'), ('DOI', u'10.1103/PhysRevE.72.016620'), ('REFPLAINTEXT', u'Destrade, M., Saccomandi, G.: Finite amplitude elastic waves propagating in compressible solids. Phys. Rev. E 72, 016620 (2005)'), ('REFSTR', "{u'bibunstructured': u'Destrade, M., Saccomandi, G.: Finite amplitude elastic waves propagating in compressible solids. Phys. Rev. E 72, 016620 (2005)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Destrade', u'initials': u'M'}, {u'familyname': u'Saccomandi', u'initials': u'G'}], u'occurrence': [{u'handle': u'2178391', u'@type': u'AMSID'}, {u'handle': u'10.1103/PhysRevE.72.016620', u'@type': u'DOI'}], u'journaltitle': u'Phys. Rev. E', u'volumeid': u'72', u'firstpage': u'016620', u'year': u'2005', u'articletitle': {u'#text': u'Finite amplitude elastic waves propagating in compressible solids', u'@language': u'En'}}, u'citationnumber': u'8.', u'@id': u'CR8'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Destrade'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('TITLE', u'Solitary'), ('TITLE', u'and'), ('TITLE', u'compactlike'), ('TITLE', u'shear'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'bulk'), ('TITLE', u'of'), ('TITLE', u'solids'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'E'), ('VOLUME', u'73'), ('YEAR', u'2006'), ('PAGE', u'065604(R)'), ('DOI', u'10.1103/PhysRevE.73.065604'), ('REFPLAINTEXT', u'Destrade, M., Saccomandi, G.: Solitary and compactlike shear waves in the bulk of solids. Phys. Rev. E 73, 065604(R) (2006)'), ('REFSTR', "{u'bibunstructured': u'Destrade, M., Saccomandi, G.: Solitary and compactlike shear waves in the bulk of solids. Phys. Rev. E 73, 065604(R) (2006)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Destrade', u'initials': u'M'}, {u'familyname': u'Saccomandi', u'initials': u'G'}], u'occurrence': [{u'handle': u'2276285', u'@type': u'AMSID'}, {u'handle': u'10.1103/PhysRevE.73.065604', u'@type': u'DOI'}], u'journaltitle': u'Phys. Rev. E', u'volumeid': u'73', u'firstpage': u'065604(R)', u'year': u'2006', u'articletitle': {u'#text': u'Solitary and compactlike shear waves in the bulk of solids', u'@language': u'En'}}, u'citationnumber': u'9.', u'@id': u'CR9'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Destrade'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('TITLE', u'Nonlinear'), ('TITLE', u'transverse'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'deformed'), ('TITLE', u'dispersive'), ('TITLE', u'solids'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'45'), ('YEAR', u'2008'), ('PAGE', u'325'), ('DOI', u'10.1016/j.wavemoti.2007.07.002'), ('REFPLAINTEXT', u'Destrade, M., Saccomandi, G.: Nonlinear transverse waves in deformed dispersive solids. Wave Motion 45, 325–336 (2008)'), ('REFSTR', "{u'bibunstructured': u'Destrade, M., Saccomandi, G.: Nonlinear transverse waves in deformed dispersive solids. Wave Motion 45, 325\\u2013336 (2008)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Destrade', u'initials': u'M'}, {u'familyname': u'Saccomandi', u'initials': u'G'}], u'occurrence': [{u'handle': u'2450051', u'@type': u'AMSID'}, {u'handle': u'10.1016/j.wavemoti.2007.07.002', u'@type': u'DOI'}], u'journaltitle': u'Wave Motion', u'volumeid': u'45', u'firstpage': u'325', u'lastpage': u'336', u'year': u'2008', u'articletitle': {u'#text': u'Nonlinear transverse waves in deformed dispersive solids', u'@language': u'En'}}, u'citationnumber': u'10.', u'@id': u'CR10'}")], [('AUTHOR_FIRST_NAME', u'RK'), ('AUTHOR_LAST_NAME', u'Dodd'), ('AUTHOR_FIRST_NAME', u'JC'), ('AUTHOR_LAST_NAME', u'Eilbeck'), ('AUTHOR_FIRST_NAME', u'JD'), ('AUTHOR_LAST_NAME', u'Gibbon'), ('AUTHOR_FIRST_NAME', u'HC'), ('AUTHOR_LAST_NAME', u'Morris'), ('YEAR', u'1982'), ('PUBLISHER', u'Solitons'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Equations'), ('REFPLAINTEXT', u'Dodd, R.K., Eilbeck, J.C., Gibbon, J.D., Morris, H.C.: Solitons and Nonlinear Wave Equations. Academic Press, London (1982)'), ('REFSTR', "{u'bibunstructured': u'Dodd, R.K., Eilbeck, J.C., Gibbon, J.D., Morris, H.C.: Solitons and Nonlinear Wave Equations. Academic Press, London (1982)', u'citationnumber': u'11.', u'@id': u'CR11', u'bibbook': {u'bibauthorname': [{u'familyname': u'Dodd', u'initials': u'RK'}, {u'familyname': u'Eilbeck', u'initials': u'JC'}, {u'familyname': u'Gibbon', u'initials': u'JD'}, {u'familyname': u'Morris', u'initials': u'HC'}], u'publisherlocation': u'London', u'occurrence': {u'handle': u'0496.35001', u'@type': u'ZLBID'}, u'booktitle': u'Solitons and Nonlinear Wave Equations', u'year': u'1982', u'publishername': u'Academic Press'}}")], [('AUTHOR_FIRST_NAME', u'AC'), ('AUTHOR_LAST_NAME', u'Eringen'), ('AUTHOR_FIRST_NAME', u'ES'), ('AUTHOR_LAST_NAME', u'Suhubi'), ('YEAR', u'1974'), ('PUBLISHER', u'Elastodynamics'), ('REFPLAINTEXT', u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. I. Academic Press, New York (1974)'), ('REFSTR', "{u'bibunstructured': u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. I. Academic Press, New York (1974)', u'citationnumber': u'12.', u'@id': u'CR12', u'bibbook': {u'bibauthorname': [{u'familyname': u'Eringen', u'initials': u'AC'}, {u'familyname': u'Suhubi', u'initials': u'ES'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0291.73018', u'@type': u'ZLBID'}, u'booktitle': u'Elastodynamics', u'year': u'1974', u'numberinseries': u'I', u'publishername': u'Academic Press'}}")], [('AUTHOR_FIRST_NAME', u'AC'), ('AUTHOR_LAST_NAME', u'Eringen'), ('AUTHOR_FIRST_NAME', u'ES'), ('AUTHOR_LAST_NAME', u'Suhubi'), ('YEAR', u'1975'), ('PUBLISHER', u'Elastodynamics'), ('REFPLAINTEXT', u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. II. Academic Press, New York (1975)'), ('REFSTR', "{u'bibunstructured': u'Eringen, A.C., Suhubi, E.S.: Elastodynamics, vol. II. Academic Press, New York (1975)', u'citationnumber': u'13.', u'@id': u'CR13', u'bibbook': {u'bibauthorname': [{u'familyname': u'Eringen', u'initials': u'AC'}, {u'familyname': u'Suhubi', u'initials': u'ES'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0344.73036', u'@type': u'ZLBID'}, u'booktitle': u'Elastodynamics', u'year': u'1975', u'numberinseries': u'II', u'publishername': u'Academic Press'}}")], [('AUTHOR_FIRST_NAME', u'WM'), ('AUTHOR_LAST_NAME', u'Ewing'), ('AUTHOR_FIRST_NAME', u'WS'), ('AUTHOR_LAST_NAME', u'Jardetsky'), ('YEAR', u'1957'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Layered'), ('PUBLISHER', u'Media'), ('REFPLAINTEXT', u'Ewing, W.M., Jardetsky, W.S.: Elastic Waves in Layered Media. McGraw-Hill, New York (1957)'), ('REFSTR', "{u'bibunstructured': u'Ewing, W.M., Jardetsky, W.S.: Elastic Waves in Layered Media. McGraw-Hill, New York (1957)', u'citationnumber': u'14.', u'@id': u'CR14', u'bibbook': {u'bibauthorname': [{u'familyname': u'Ewing', u'initials': u'WM'}, {u'familyname': u'Jardetsky', u'initials': u'WS'}], u'publisherlocation': u'New York', u'occurrence': {u'handle': u'10.1063/1.3060203', u'@type': u'DOI'}, u'booktitle': u'Elastic Waves in Layered Media', u'year': u'1957', u'publishername': u'McGraw-Hill'}}")], [('AUTHOR_FIRST_NAME', u'GW'), ('AUTHOR_LAST_NAME', u'Farnell'), ('YEAR', u'1978'), ('PAGE', u'13'), ('PUBLISHER', u'Acoustic'), ('PUBLISHER', u'Surface'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Farnell, G.W.: Types and properties of surface waves. In: Oliner, A.A. (ed.) Acoustic Surface Waves, pp. 13–60. Springer, Berlin (1978)'), ('REFSTR', "{u'bibunstructured': u'Farnell, G.W.: Types and properties of surface waves. In: Oliner, A.A. (ed.) Acoustic Surface Waves, pp. 13\\u201360. Springer, Berlin (1978)', u'bibchapter': {u'eds': {u'publisherlocation': u'Berlin', u'occurrence': {u'handle': u'10.1007/3-540-08575-0_9', u'@type': u'DOI'}, u'booktitle': u'Acoustic Surface Waves', u'firstpage': u'13', u'lastpage': u'60', u'publishername': u'Springer'}, u'bibauthorname': {u'familyname': u'Farnell', u'initials': u'GW'}, u'chaptertitle': {u'#text': u'Types and properties of surface waves', u'@language': u'En'}, u'bibeditorname': {u'familyname': u'Oliner', u'initials': u'AA'}, u'year': u'1978'}, u'citationnumber': u'15.', u'@id': u'CR15'}")], [('AUTHOR_FIRST_NAME', u'Y'), ('AUTHOR_LAST_NAME', u'Fu'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'propagation'), ('TITLE', u'of'), ('TITLE', u'nonlinear'), ('TITLE', u'travelling'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'an'), ('TITLE', u'incompressible'), ('TITLE', u'elastic'), ('TITLE', u'plate'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'19'), ('ISSUE', u'3'), ('YEAR', u'1994'), ('PAGE', u'271'), ('DOI', u'10.1016/0165-2125(94)90058-2'), ('REFPLAINTEXT', u'Fu, Y.: On the propagation of nonlinear travelling waves in an incompressible elastic plate. Wave Motion 19(3), 271–292 (1994)'), ('REFSTR', "{u'bibunstructured': u'Fu, Y.: On the propagation of nonlinear travelling waves in an incompressible elastic plate. Wave Motion 19(3), 271\\u2013292 (1994)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Fu', u'initials': u'Y'}, u'issueid': u'3', u'journaltitle': u'Wave Motion', u'volumeid': u'19', u'firstpage': u'271', u'lastpage': u'292', u'year': u'1994', u'articletitle': {u'#text': u'On the propagation of nonlinear travelling waves in an incompressible elastic plate', u'@language': u'En'}, u'occurrence': [{u'handle': u'1276942', u'@type': u'AMSID'}, {u'handle': u'10.1016/0165-2125(94)90058-2', u'@type': u'DOI'}]}, u'citationnumber': u'16.', u'@id': u'CR16'}")], [('AUTHOR_FIRST_NAME', u'YB'), ('AUTHOR_LAST_NAME', u'Fu'), ('AUTHOR_FIRST_NAME', u'RW'), ('AUTHOR_LAST_NAME', u'Ogden'), ('TITLE', u'Nonlinear'), ('TITLE', u'stability'), ('TITLE', u'analysis'), ('TITLE', u'of'), ('TITLE', u'pre-'), ('TITLE', u'stressed'), ('TITLE', u'elastic'), ('TITLE', u'bodies'), ('JOURNAL', u'Contin.'), ('JOURNAL', u'Mech.'), ('JOURNAL', u'Thermodyn.'), ('VOLUME', u'11'), ('ISSUE', u'3'), ('YEAR', u'1999'), ('PAGE', u'141'), ('DOI', u'10.1007/s001610050108'), ('REFPLAINTEXT', u'Fu, Y.B., Ogden, R.W.: Nonlinear stability analysis of pre-stressed elastic bodies. Contin. Mech. Thermodyn. 11(3), 141–172 (1999)'), ('REFSTR', "{u'bibunstructured': u'Fu, Y.B., Ogden, R.W.: Nonlinear stability analysis of pre-stressed elastic bodies. Contin. Mech. Thermodyn. 11(3), 141\\u2013172 (1999)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Fu', u'initials': u'YB'}, {u'familyname': u'Ogden', u'initials': u'RW'}], u'issueid': u'3', u'journaltitle': u'Contin. Mech. Thermodyn.', u'volumeid': u'11', u'firstpage': u'141', u'lastpage': u'172', u'year': u'1999', u'articletitle': {u'#text': u'Nonlinear stability analysis of pre-stressed elastic bodies', u'@language': u'En'}, u'occurrence': [{u'handle': u'1701411', u'@type': u'AMSID'}, {u'handle': u'10.1007/s001610050108', u'@type': u'DOI'}]}, u'citationnumber': u'17.', u'@id': u'CR17'}")], [('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Jeffrey'), ('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kawahara'), ('YEAR', u'1982'), ('PUBLISHER', u'Asymptotic'), ('PUBLISHER', u'Methods'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Theory'), ('REFPLAINTEXT', u'Jeffrey, A., Kawahara, T.: Asymptotic Methods in Nonlinear Wave Theory. Pitman Advenced Publishing, Boston (1982)'), ('REFSTR', "{u'bibunstructured': u'Jeffrey, A., Kawahara, T.: Asymptotic Methods in Nonlinear Wave Theory. Pitman Advenced Publishing, Boston (1982)', u'citationnumber': u'18.', u'@id': u'CR18', u'bibbook': {u'bibauthorname': [{u'familyname': u'Jeffrey', u'initials': u'A'}, {u'familyname': u'Kawahara', u'initials': u'T'}], u'publisherlocation': u'Boston', u'occurrence': {u'handle': u'0473.35002', u'@type': u'ZLBID'}, u'booktitle': u'Asymptotic Methods in Nonlinear Wave Theory', u'year': u'1982', u'publishername': u'Pitman Advenced Publishing'}}")], [('AUTHOR_FIRST_NAME', u'T'), ('AUTHOR_LAST_NAME', u'Kakutani'), ('AUTHOR_FIRST_NAME', u'K'), ('AUTHOR_LAST_NAME', u'Michihiro'), ('TITLE', u'Marginal'), ('TITLE', u'state'), ('TITLE', u'of'), ('TITLE', u'modulational'), ('TITLE', u'instability-'), ('TITLE', u'note'), ('TITLE', u'on'), ('TITLE', u'BenjaminFeir'), ('TITLE', u'instability'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Jpn.'), ('VOLUME', u'52'), ('ISSUE', u'12'), ('YEAR', u'1983'), ('PAGE', u'4129'), ('REFPLAINTEXT', u'Kakutani, T., Michihiro, K.: Marginal state of modulational instability-note on Benjamin–Feir instability. J. Phys. Soc. Jpn. 52(12), 4129–4137 (1983)'), ('REFSTR', "{u'bibunstructured': u'Kakutani, T., Michihiro, K.: Marginal state of modulational instability-note on Benjamin\\u2013Feir instability. J. Phys. Soc. Jpn. 52(12), 4129\\u20134137 (1983)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kakutani', u'initials': u'T'}, {u'familyname': u'Michihiro', u'initials': u'K'}], u'issueid': u'12', u'journaltitle': u'J. Phys. Soc. Jpn.', u'volumeid': u'52', u'firstpage': u'4129', u'lastpage': u'4137', u'year': u'1983', u'articletitle': {u'#text': u'Marginal state of modulational instability-note on Benjamin\\u2013Feir instability', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1143/JPSJ.52.4129', u'@type': u'DOI'}}, u'citationnumber': u'19.', u'@id': u'CR19'}")], [('AUTHOR_FIRST_NAME', u'P'), ('AUTHOR_LAST_NAME', u'Kayestha'), ('AUTHOR_FIRST_NAME', u'ER'), ('AUTHOR_LAST_NAME', u'Ferreira'), ('AUTHOR_FIRST_NAME', u'AC'), ('AUTHOR_LAST_NAME', u'Wijeyewickrema'), ('TITLE', u'Finite-'), ('TITLE', u'amplitude'), ('TITLE', u'shear'), ('TITLE', u'horizontal'), ('TITLE', u'waves'), ('TITLE', u'propagating'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'pre-'), ('TITLE', u'stressed'), ('TITLE', u'layer'), ('TITLE', u'between'), ('TITLE', u'two'), ('TITLE', u'half-'), ('TITLE', u'spaces'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Solids'), ('JOURNAL', u'Struct.'), ('VOLUME', u'50'), ('YEAR', u'2013'), ('PAGE', u'3586'), ('REFPLAINTEXT', u'Kayestha, P., Ferreira, E.R., Wijeyewickrema, A.C.: Finite-amplitude shear horizontal waves propagating in a pre- stressed layer between two half-spaces. Int. J. Solids Struct. 50, 3586–3596 (2013)'), ('REFSTR', "{u'bibunstructured': u'Kayestha, P., Ferreira, E.R., Wijeyewickrema, A.C.: Finite-amplitude shear horizontal waves propagating in a pre- stressed layer between two half-spaces. Int. J. Solids Struct. 50, 3586\\u20133596 (2013)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Kayestha', u'initials': u'P'}, {u'familyname': u'Ferreira', u'initials': u'ER'}, {u'familyname': u'Wijeyewickrema', u'initials': u'AC'}], u'occurrence': {u'handle': u'10.1016/j.ijsolstr.2013.07.002', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Solids Struct.', u'volumeid': u'50', u'firstpage': u'3586', u'lastpage': u'3596', u'year': u'2013', u'articletitle': {u'#text': u'Finite-amplitude shear horizontal waves propagating in a pre- stressed layer between two half-spaces', u'@language': u'En'}}, u'citationnumber': u'20.', u'@id': u'CR20'}")], [('AUTHOR_FIRST_NAME', u'GA'), ('AUTHOR_LAST_NAME', u'Maugin'), ('AUTHOR_FIRST_NAME', u'H'), ('AUTHOR_LAST_NAME', u'Hadouaj'), ('TITLE', u'Solitary'), ('TITLE', u'surface'), ('TITLE', u'transverse'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'an'), ('TITLE', u'elastic'), ('TITLE', u'substrate'), ('TITLE', u'coated'), ('TITLE', u'with'), ('TITLE', u'a'), ('TITLE', u'thin'), ('TITLE', u'film'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rev.'), ('JOURNAL', u'B'), ('VOLUME', u'44'), ('YEAR', u'1991'), ('PAGE', u'1266'), ('REFPLAINTEXT', u'Maugin, G.A., Hadouaj, H.: Solitary surface transverse waves on an elastic substrate coated with a thin film. Phys. Rev. B 44, 1266–1280 (1991)'), ('REFSTR', "{u'bibunstructured': u'Maugin, G.A., Hadouaj, H.: Solitary surface transverse waves on an elastic substrate coated with a thin film. Phys. Rev. B 44, 1266\\u20131280 (1991)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Maugin', u'initials': u'GA'}, {u'familyname': u'Hadouaj', u'initials': u'H'}], u'occurrence': {u'handle': u'10.1103/PhysRevB.44.1266', u'@type': u'DOI'}, u'journaltitle': u'Phys. Rev. B', u'volumeid': u'44', u'firstpage': u'1266', u'lastpage': u'1280', u'year': u'1991', u'articletitle': {u'#text': u'Solitary surface transverse waves on an elastic substrate coated with a thin film', u'@language': u'En'}}, u'citationnumber': u'21.', u'@id': u'CR21'}")], [('AUTHOR_FIRST_NAME', u'AP'), ('AUTHOR_LAST_NAME', u'Mayer'), ('TITLE', u'Surface'), ('TITLE', u'acoustic'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'nonlinear'), ('TITLE', u'elastic'), ('TITLE', u'media'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'Rep.'), ('VOLUME', u'256'), ('YEAR', u'1995'), ('PAGE', u'237'), ('REFPLAINTEXT', u'Mayer, A.P.: Surface acoustic waves in nonlinear elastic media. Phys. Rep. 256, 237–366 (1995)'), ('REFSTR', "{u'bibunstructured': u'Mayer, A.P.: Surface acoustic waves in nonlinear elastic media. Phys. Rep. 256, 237\\u2013366 (1995)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Mayer', u'initials': u'AP'}, u'occurrence': {u'handle': u'10.1016/0370-1573(94)00088-K', u'@type': u'DOI'}, u'journaltitle': u'Phys. Rep.', u'volumeid': u'256', u'firstpage': u'237', u'lastpage': u'366', u'year': u'1995', u'articletitle': {u'#text': u'Surface acoustic waves in nonlinear elastic media', u'@language': u'En'}}, u'citationnumber': u'22.', u'@id': u'CR22'}")], [('AUTHOR_FIRST_NAME', u'J'), ('AUTHOR_LAST_NAME', u'Miklowitz'), ('YEAR', u'1978'), ('PUBLISHER', u'The'), ('PUBLISHER', u'Theory'), ('PUBLISHER', u'of'), ('PUBLISHER', u'Elastic'), ('PUBLISHER', u'Waves'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Waveguides'), ('REFPLAINTEXT', u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North Holland Publishing Co., Amsterdam (1978)'), ('REFSTR', "{u'bibunstructured': u'Miklowitz, J.: The Theory of Elastic Waves and Waveguides. North Holland Publishing Co., Amsterdam (1978)', u'citationnumber': u'23.', u'@id': u'CR23', u'bibbook': {u'publisherlocation': u'Amsterdam', u'bibauthorname': {u'familyname': u'Miklowitz', u'initials': u'J'}, u'publishername': u'North Holland Publishing Co.', u'booktitle': u'The Theory of Elastic Waves and Waveguides', u'year': u'1978'}}")], [('AUTHOR_FIRST_NAME', u'AH'), ('AUTHOR_LAST_NAME', u'Nayfeh'), ('TITLE', u'Third-'), ('TITLE', u'harmonic'), ('TITLE', u'resonance'), ('TITLE', u'in'), ('TITLE', u'the'), ('TITLE', u'interaction'), ('TITLE', u'of'), ('TITLE', u'capillary'), ('TITLE', u'and'), ('TITLE', u'gravity'), ('TITLE', u'waves'), ('JOURNAL', u'J.'), ('JOURNAL', u'Fluid'), ('JOURNAL', u'Mech.'), ('VOLUME', u'48'), ('ISSUE', u'2'), ('YEAR', u'1971'), ('PAGE', u'385'), ('REFPLAINTEXT', u'Nayfeh, A.H.: Third-harmonic resonance in the interaction of capillary and gravity waves. J. Fluid Mech. 48(2), 385–395 (1971)'), ('REFSTR', "{u'bibunstructured': u'Nayfeh, A.H.: Third-harmonic resonance in the interaction of capillary and gravity waves. J. Fluid Mech. 48(2), 385\\u2013395 (1971)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Nayfeh', u'initials': u'AH'}, u'issueid': u'2', u'journaltitle': u'J. Fluid Mech.', u'volumeid': u'48', u'firstpage': u'385', u'lastpage': u'395', u'year': u'1971', u'articletitle': {u'#text': u'Third-harmonic resonance in the interaction of capillary and gravity waves', u'@language': u'En'}, u'occurrence': {u'handle': u'10.1017/S0022112071001630', u'@type': u'DOI'}}, u'citationnumber': u'24.', u'@id': u'CR24'}")], [('AUTHOR_FIRST_NAME', u'DF'), ('AUTHOR_LAST_NAME', u'Parker'), ('AUTHOR_FIRST_NAME', u'FM'), ('AUTHOR_LAST_NAME', u'Talbot'), ('TITLE', u'Analysis'), ('TITLE', u'and'), ('TITLE', u'computation'), ('TITLE', u'for'), ('TITLE', u'nonlinear'), ('TITLE', u'elastic'), ('TITLE', u'surface'), ('TITLE', u'waves'), ('TITLE', u'of'), ('TITLE', u'permanent'), ('TITLE', u'form'), ('JOURNAL', u'J.'), ('JOURNAL', u'Elast.'), ('VOLUME', u'15'), ('ISSUE', u'4'), ('YEAR', u'1985'), ('PAGE', u'389'), ('DOI', u'10.1007/BF00042530'), ('REFPLAINTEXT', u'Parker, D.F., Talbot, F.M.: Analysis and computation for nonlinear elastic surface waves of permanent form. J. Elast. 15(4), 389–426 (1985)'), ('REFSTR', "{u'bibunstructured': u'Parker, D.F., Talbot, F.M.: Analysis and computation for nonlinear elastic surface waves of permanent form. J. Elast. 15(4), 389\\u2013426 (1985)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Parker', u'initials': u'DF'}, {u'familyname': u'Talbot', u'initials': u'FM'}], u'issueid': u'4', u'journaltitle': u'J. Elast.', u'volumeid': u'15', u'firstpage': u'389', u'lastpage': u'426', u'year': u'1985', u'articletitle': {u'#text': u'Analysis and computation for nonlinear elastic surface waves of permanent form', u'@language': u'En'}, u'occurrence': [{u'handle': u'817377', u'@type': u'AMSID'}, {u'handle': u'10.1007/BF00042530', u'@type': u'DOI'}]}, u'citationnumber': u'25.', u'@id': u'CR25'}")], [('AUTHOR_FIRST_NAME', u'DH'), ('AUTHOR_LAST_NAME', u'Peregrine'), ('TITLE', u'Water'), ('TITLE', u'waves,'), ('TITLE', u'non-'), ('TITLE', u'linear'), ('TITLE', u'Schrdinger'), ('TITLE', u'equations'), ('TITLE', u'and'), ('TITLE', u'their'), ('TITLE', u'solutions'), ('JOURNAL', u'J.'), ('JOURNAL', u'Aust.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Soc.'), ('JOURNAL', u'Ser.'), ('JOURNAL', u'B'), ('VOLUME', u'25'), ('YEAR', u'1983'), ('PAGE', u'16'), ('REFPLAINTEXT', u'Peregrine, D.H.: Water waves, non-linear Schrödinger equations and their solutions. J. Aust. Math. Soc. Ser. B 25, 16–43 (1983)'), ('REFSTR', "{u'bibunstructured': u'Peregrine, D.H.: Water waves, non-linear Schr\\xf6dinger equations and their solutions. J. Aust. Math. Soc. Ser. B 25, 16\\u201343 (1983)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Peregrine', u'initials': u'DH'}, u'occurrence': {u'handle': u'10.1017/S0334270000003891', u'@type': u'DOI'}, u'journaltitle': u'J. Aust. Math. Soc. Ser. B', u'volumeid': u'25', u'firstpage': u'16', u'lastpage': u'43', u'year': u'1983', u'articletitle': {u'#text': u'Water waves, non-linear Schr\\xf6dinger equations and their solutions', u'@language': u'En'}}, u'citationnumber': u'26.', u'@id': u'CR26'}")], [('AUTHOR_FIRST_NAME', u'AV'), ('AUTHOR_LAST_NAME', u'Porubov'), ('AUTHOR_FIRST_NAME', u'AM'), ('AUTHOR_LAST_NAME', u'Samsonov'), ('TITLE', u'Long'), ('TITLE', u'nonlinear'), ('TITLE', u'strain'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'layered'), ('TITLE', u'elastic'), ('TITLE', u'half'), ('TITLE', u'space'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'30'), ('ISSUE', u'6'), ('YEAR', u'1995'), ('PAGE', u'861'), ('REFPLAINTEXT', u'Porubov, A.V., Samsonov, A.M.: Long nonlinear strain waves in layered elastic half space. Int. J. Eng. Sci. 30(6), 861–877 (1995)'), ('REFSTR', "{u'bibunstructured': u'Porubov, A.V., Samsonov, A.M.: Long nonlinear strain waves in layered elastic half space. Int. J. Eng. Sci. 30(6), 861\\u2013877 (1995)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Porubov', u'initials': u'AV'}, {u'familyname': u'Samsonov', u'initials': u'AM'}], u'issueid': u'6', u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'30', u'firstpage': u'861', u'lastpage': u'877', u'year': u'1995', u'articletitle': {u'#text': u'Long nonlinear strain waves in layered elastic half space', u'@language': u'En'}, u'occurrence': {u'handle': u'0947.74026', u'@type': u'ZLBID'}}, u'citationnumber': u'27.', u'@id': u'CR27'}")], [('AUTHOR_FIRST_NAME', u'AV'), ('AUTHOR_LAST_NAME', u'Porubov'), ('AUTHOR_FIRST_NAME', u'DF'), ('AUTHOR_LAST_NAME', u'Parker'), ('TITLE', u'Some'), ('TITLE', u'general'), ('TITLE', u'periodic'), ('TITLE', u'solutions'), ('TITLE', u'to'), ('TITLE', u'coupled'), ('TITLE', u'nonlinear'), ('TITLE', u'Schrdinger'), ('TITLE', u'equations'), ('JOURNAL', u'Wave'), ('JOURNAL', u'Motion'), ('VOLUME', u'29'), ('ISSUE', u'2'), ('YEAR', u'1999'), ('PAGE', u'97'), ('DOI', u'10.1016/S0165-2125(98)00033-X'), ('REFPLAINTEXT', u'Porubov, A.V., Parker, D.F.: Some general periodic solutions to coupled nonlinear Schrödinger equations. Wave Motion 29(2), 97–109 (1999)'), ('REFSTR', "{u'bibunstructured': u'Porubov, A.V., Parker, D.F.: Some general periodic solutions to coupled nonlinear Schr\\xf6dinger equations. Wave Motion 29(2), 97\\u2013109 (1999)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Porubov', u'initials': u'AV'}, {u'familyname': u'Parker', u'initials': u'DF'}], u'issueid': u'2', u'journaltitle': u'Wave Motion', u'volumeid': u'29', u'firstpage': u'97', u'lastpage': u'109', u'year': u'1999', u'articletitle': {u'#text': u'Some general periodic solutions to coupled nonlinear Schr\\xf6dinger equations', u'@language': u'En'}, u'occurrence': [{u'handle': u'1659447', u'@type': u'AMSID'}, {u'handle': u'10.1016/S0165-2125(98)00033-X', u'@type': u'DOI'}]}, u'citationnumber': u'28.', u'@id': u'CR28'}")], [('AUTHOR_FIRST_NAME', u'C'), ('AUTHOR_LAST_NAME', u'Rogers'), ('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('AUTHOR_FIRST_NAME', u'L'), ('AUTHOR_LAST_NAME', u'Vergori'), ('TITLE', u'Carroll-'), ('TITLE', u'Type'), ('TITLE', u'deformations'), ('TITLE', u'in'), ('TITLE', u'nonlinear'), ('TITLE', u'elastodynamics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'A'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Theor.'), ('VOLUME', u'47'), ('YEAR', u'2014'), ('PAGE', u'205204'), ('DOI', u'10.1088/1751-8113/47/20/205204'), ('REFPLAINTEXT', u'Rogers, C., Saccomandi, G., Vergori, L.: Carroll- Type deformations in nonlinear elastodynamics. J. Phys. A Math. Theor. 47, 205204 (2014)'), ('REFSTR', "{u'bibunstructured': u'Rogers, C., Saccomandi, G., Vergori, L.: Carroll- Type deformations in nonlinear elastodynamics. J. Phys. A Math. Theor. 47, 205204 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Rogers', u'initials': u'C'}, {u'familyname': u'Saccomandi', u'initials': u'G'}, {u'familyname': u'Vergori', u'initials': u'L'}], u'occurrence': [{u'handle': u'3205918', u'@type': u'AMSID'}, {u'handle': u'10.1088/1751-8113/47/20/205204', u'@type': u'DOI'}], u'journaltitle': u'J. Phys. A Math. Theor.', u'volumeid': u'47', u'firstpage': u'205204', u'year': u'2014', u'articletitle': {u'#text': u'Carroll- Type deformations in nonlinear elastodynamics', u'@language': u'En'}}, u'citationnumber': u'29.', u'@id': u'CR29'}")], [('AUTHOR_FIRST_NAME', u'G'), ('AUTHOR_LAST_NAME', u'Saccomandi'), ('AUTHOR_FIRST_NAME', u'R'), ('AUTHOR_LAST_NAME', u'Vitolo'), ('TITLE', u'On'), ('TITLE', u'the'), ('TITLE', u'mathematical'), ('TITLE', u'and'), ('TITLE', u'geometrical'), ('TITLE', u'structure'), ('TITLE', u'of'), ('TITLE', u'the'), ('TITLE', u'determining'), ('TITLE', u'equations'), ('TITLE', u'for'), ('TITLE', u'shear'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'nonlinear'), ('TITLE', u'isotropic'), ('TITLE', u'incompresible'), ('TITLE', u'elastodynamics'), ('JOURNAL', u'J.'), ('JOURNAL', u'Math.'), ('JOURNAL', u'Phys.'), ('VOLUME', u'55'), ('YEAR', u'2014'), ('PAGE', u'081502'), ('DOI', u'10.1063/1.4891602'), ('REFPLAINTEXT', u'Saccomandi, G., Vitolo, R.: On the mathematical and geometrical structure of the determining equations for shear waves in nonlinear isotropic incompresible elastodynamics. J. Math. Phys. 55, 081502 (2014)'), ('REFSTR', "{u'bibunstructured': u'Saccomandi, G., Vitolo, R.: On the mathematical and geometrical structure of the determining equations for shear waves in nonlinear isotropic incompresible elastodynamics. J. Math. Phys. 55, 081502 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Saccomandi', u'initials': u'G'}, {u'familyname': u'Vitolo', u'initials': u'R'}], u'occurrence': [{u'handle': u'3390691', u'@type': u'AMSID'}, {u'handle': u'10.1063/1.4891602', u'@type': u'DOI'}], u'journaltitle': u'J. Math. Phys.', u'volumeid': u'55', u'firstpage': u'081502', u'year': u'2014', u'articletitle': {u'#text': u'On the mathematical and geometrical structure of the determining equations for shear waves in nonlinear isotropic incompresible elastodynamics', u'@language': u'En'}}, u'citationnumber': u'30.', u'@id': u'CR30'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Nonlinear'), ('TITLE', u'modulation'), ('TITLE', u'of'), ('TITLE', u'Love'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'compressible'), ('TITLE', u'hyperelastic'), ('TITLE', u'layered'), ('TITLE', u'half'), ('TITLE', u'space'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'26'), ('YEAR', u'1988'), ('PAGE', u'907'), ('DOI', u'10.1016/0020-7225(88)90021-3'), ('REFPLAINTEXT', u'Teymur, M.: Nonlinear modulation of Love waves in a compressible hyperelastic layered half space. Int. J. Eng. Sci. 26, 907–927 (1988)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M.: Nonlinear modulation of Love waves in a compressible hyperelastic layered half space. Int. J. Eng. Sci. 26, 907\\u2013927 (1988)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Teymur', u'initials': u'M'}, u'occurrence': [{u'handle': u'964165', u'@type': u'AMSID'}, {u'handle': u'10.1016/0020-7225(88)90021-3', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'26', u'firstpage': u'907', u'lastpage': u'927', u'year': u'1988', u'articletitle': {u'#text': u'Nonlinear modulation of Love waves in a compressible hyperelastic layered half space', u'@language': u'En'}}, u'citationnumber': u'31.', u'@id': u'CR31'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('YEAR', u'1989'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Wave'), ('PUBLISHER', u'Motion'), ('REFPLAINTEXT', u'Teymur, M.: Nonlinear modulation and the fifth-harmonic resonance of Love waves on a neo-Hookean layered half-space. In: Jeffrey, A. (ed.) Nonlinear Wave Motion. Longman, Harlow, Essex (1989)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M.: Nonlinear modulation and the fifth-harmonic resonance of Love waves on a neo-Hookean layered half-space. In: Jeffrey, A. (ed.) Nonlinear Wave Motion. Longman, Harlow, Essex (1989)', u'bibchapter': {u'eds': {u'publisherlocation': u'Harlow, Essex', u'booktitle': u'Nonlinear Wave Motion', u'publishername': u'Longman', u'occurrence': {u'handle': u'0681.73014', u'@type': u'ZLBID'}}, u'bibauthorname': {u'familyname': u'Teymur', u'initials': u'M'}, u'chaptertitle': {u'#text': u'Nonlinear modulation and the fifth-harmonic resonance of Love waves on a neo-Hookean layered half-space', u'@language': u'En'}, u'bibeditorname': {u'familyname': u'Jeffrey', u'initials': u'A'}, u'year': u'1989'}, u'citationnumber': u'32.', u'@id': u'CR32'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('TITLE', u'Small'), ('TITLE', u'but'), ('TITLE', u'finite'), ('TITLE', u'amplitude'), ('TITLE', u'waves'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'two-'), ('TITLE', u'layered'), ('TITLE', u'incompressible'), ('TITLE', u'elastic'), ('TITLE', u'medium'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'34'), ('YEAR', u'1996'), ('PAGE', u'227'), ('DOI', u'10.1016/0020-7225(95)00084-4'), ('REFPLAINTEXT', u'Teymur, M.: Small but finite amplitude waves in a two-layered incompressible elastic medium. Int. J. Eng. Sci. 34, 227–241 (1996)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M.: Small but finite amplitude waves in a two-layered incompressible elastic medium. Int. J. Eng. Sci. 34, 227\\u2013241 (1996)', u'bibarticle': {u'bibauthorname': {u'familyname': u'Teymur', u'initials': u'M'}, u'occurrence': [{u'handle': u'1367605', u'@type': u'AMSID'}, {u'handle': u'10.1016/0020-7225(95)00084-4', u'@type': u'DOI'}], u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'34', u'firstpage': u'227', u'lastpage': u'241', u'year': u'1996', u'articletitle': {u'#text': u'Small but finite amplitude waves in a two-layered incompressible elastic medium', u'@language': u'En'}}, u'citationnumber': u'33.', u'@id': u'CR33'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('AUTHOR_FIRST_NAME', u'A'), ('AUTHOR_LAST_NAME', u'Demirci'), ('AUTHOR_FIRST_NAME', u'S'), ('AUTHOR_LAST_NAME', u'Ahmetolan'), ('TITLE', u'Propagation'), ('TITLE', u'of'), ('TITLE', u'surface'), ('TITLE', u'SH'), ('TITLE', u'waves'), ('TITLE', u'on'), ('TITLE', u'a'), ('TITLE', u'half'), ('TITLE', u'space'), ('TITLE', u'covered'), ('TITLE', u'by'), ('TITLE', u'a'), ('TITLE', u'nonlinear'), ('TITLE', u'thin'), ('TITLE', u'layer'), ('JOURNAL', u'Int.'), ('JOURNAL', u'J.'), ('JOURNAL', u'Eng.'), ('JOURNAL', u'Sci.'), ('VOLUME', u'85'), ('YEAR', u'2014'), ('PAGE', u'150'), ('REFPLAINTEXT', u'Teymur, M., Demirci, A., Ahmetolan, S.: Propagation of surface SH waves on a half space covered by a nonlinear thin layer. Int. J. Eng. Sci. 85, 150–162 (2014)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M., Demirci, A., Ahmetolan, S.: Propagation of surface SH waves on a half space covered by a nonlinear thin layer. Int. J. Eng. Sci. 85, 150\\u2013162 (2014)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Teymur', u'initials': u'M'}, {u'familyname': u'Demirci', u'initials': u'A'}, {u'familyname': u'Ahmetolan', u'initials': u'S'}], u'occurrence': {u'handle': u'10.1016/j.ijengsci.2014.08.005', u'@type': u'DOI'}, u'journaltitle': u'Int. J. Eng. Sci.', u'volumeid': u'85', u'firstpage': u'150', u'lastpage': u'162', u'year': u'2014', u'articletitle': {u'#text': u'Propagation of surface SH waves on a half space covered by a nonlinear thin layer', u'@language': u'En'}}, u'citationnumber': u'34.', u'@id': u'CR34'}")], [('AUTHOR_FIRST_NAME', u'M'), ('AUTHOR_LAST_NAME', u'Teymur'), ('AUTHOR_FIRST_NAME', u'H&Idot'), ('AUTHOR_LAST_NAME', u'Var'), ('AUTHOR_FIRST_NAME', u'E'), ('AUTHOR_LAST_NAME', u'Deliktas'), ('YEAR', u'2019'), ('PUBLISHER', u'Dynamical'), ('PUBLISHER', u'Processes'), ('PUBLISHER', u'in'), ('PUBLISHER', u'Generalized'), ('PUBLISHER', u'Continua'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Structures'), ('REFPLAINTEXT', u'Teymur, M., Var, H&Idot., Deliktas, E.: Nonlinear modulation of surface SH waves in a double layered elastic half space. In: Altenbach, H., Belyaev, A., Eremeyev, V., Krivtsov, A., Porubov, A. (eds.) Dynamical Processes in Generalized Continua and Structures. Advanced Structured Materials, vol. 103. Springer, Cham (2019)'), ('REFSTR', "{u'bibunstructured': u'Teymur, M., Var, H&Idot., Deliktas, E.: Nonlinear modulation of surface SH waves in a double layered elastic half space. In: Altenbach, H., Belyaev, A., Eremeyev, V., Krivtsov, A., Porubov, A. (eds.) Dynamical Processes in Generalized Continua and Structures. Advanced Structured Materials, vol. 103. Springer, Cham (2019)', u'bibchapter': {u'eds': {u'seriestitle': {u'#text': u'Advanced Structured Materials', u'@language': u'En'}, u'publisherlocation': u'Cham', u'occurrence': {u'handle': u'10.1007/978-3-030-11665-1_27', u'@type': u'DOI'}, u'booktitle': u'Dynamical Processes in Generalized Continua and Structures', u'numberinseries': u'103', u'publishername': u'Springer'}, u'bibauthorname': [{u'familyname': u'Teymur', u'initials': u'M'}, {u'familyname': u'Var', u'initials': u'H&Idot'}, {u'familyname': u'Deliktas', u'initials': u'E'}], u'chaptertitle': {u'#text': u'Nonlinear modulation of surface SH waves in a double layered elastic half space', u'@language': u'En'}, u'bibeditorname': [{u'familyname': u'Altenbach', u'initials': u'H'}, {u'familyname': u'Belyaev', u'initials': u'A'}, {u'familyname': u'Eremeyev', u'initials': u'V'}, {u'familyname': u'Krivtsov', u'initials': u'A'}, {u'familyname': u'Porubov', u'initials': u'A'}], u'year': u'2019'}, u'citationnumber': u'35.', u'@id': u'CR35'}")], [('AUTHOR_FIRST_NAME', u'GB'), ('AUTHOR_LAST_NAME', u'Whitham'), ('YEAR', u'1974'), ('PUBLISHER', u'Linear'), ('PUBLISHER', u'and'), ('PUBLISHER', u'Nonlinear'), ('PUBLISHER', u'Waves'), ('REFPLAINTEXT', u'Whitham, G.B.: Linear and Nonlinear Waves. Wiley, New York (1974)'), ('REFSTR', "{u'bibunstructured': u'Whitham, G.B.: Linear and Nonlinear Waves. Wiley, New York (1974)', u'citationnumber': u'36.', u'@id': u'CR36', u'bibbook': {u'bibauthorname': {u'familyname': u'Whitham', u'initials': u'GB'}, u'publisherlocation': u'New York', u'occurrence': {u'handle': u'0373.76001', u'@type': u'ZLBID'}, u'booktitle': u'Linear and Nonlinear Waves', u'year': u'1974', u'publishername': u'Wiley'}}")], [('AUTHOR_FIRST_NAME', u'VE'), ('AUTHOR_LAST_NAME', u'Zakharov'), ('AUTHOR_FIRST_NAME', u'AB'), ('AUTHOR_LAST_NAME', u'Shabat'), ('TITLE', u'Interaction'), ('TITLE', u'between'), ('TITLE', u'solitons'), ('TITLE', u'in'), ('TITLE', u'a'), ('TITLE', u'stable'), ('TITLE', u'medium'), ('JOURNAL', u'Sov.'), ('JOURNAL', u'Phys.'), ('JOURNAL', u'JETP'), ('VOLUME', u'37'), ('YEAR', u'1973'), ('PAGE', u'823'), ('REFPLAINTEXT', u'Zakharov, V.E., Shabat, A.B.: Interaction between solitons in a stable medium. Sov. Phys. JETP 37, 823 (1973)'), ('REFSTR', "{u'bibunstructured': u'Zakharov, V.E., Shabat, A.B.: Interaction between solitons in a stable medium. Sov. Phys. JETP 37, 823 (1973)', u'bibarticle': {u'bibauthorname': [{u'familyname': u'Zakharov', u'initials': u'VE'}, {u'familyname': u'Shabat', u'initials': u'AB'}], u'journaltitle': u'Sov. Phys. JETP', u'volumeid': u'37', u'firstpage': u'823', u'year': u'1973', u'articletitle': {u'#text': u'Interaction between solitons in a stable medium', u'@language': u'En'}}, u'citationnumber': u'37.', u'@id': u'CR37'}")]] |
# numbers
assert 2+2==4
assert (50-5*6)/4 == 5.0
assert 8/5 == 1.6
assert 7//3 == 2
assert 7//-3 == -3
width=20
height=5*9
assert width*height == 900
x=y=z=0
assert x == 0
assert y == 0
assert z == 0
assert 3 * 3.75 / 1.5 == 7.5
assert 7.0 / 2 == 3.5
# complex numbers
x = 8j
y = 8.3j
z = 3.2e6j
a = 4+2j
b = 2-3j
c = 3.0-3j
assert a*b == 14 - 8j
assert x*x == -64
assert x-7j == 1j
assert -7j+x == 1j
assert x-2.0j == 6j
assert 1/a == 0.2 - 0.1j
assert 2.0/a == 0.4 - 0.2j
assert 1+a == 5+2j
assert 2-a == -2-2j
assert 3*a == 12+6j
assert 1.0+a == 5+2j
assert 2.0-a == -2-2j
assert 3.0*a == 12+6j
print('passed all tests...') | assert 2 + 2 == 4
assert (50 - 5 * 6) / 4 == 5.0
assert 8 / 5 == 1.6
assert 7 // 3 == 2
assert 7 // -3 == -3
width = 20
height = 5 * 9
assert width * height == 900
x = y = z = 0
assert x == 0
assert y == 0
assert z == 0
assert 3 * 3.75 / 1.5 == 7.5
assert 7.0 / 2 == 3.5
x = 8j
y = 8.3j
z = 3200000j
a = 4 + 2j
b = 2 - 3j
c = 3.0 - 3j
assert a * b == 14 - 8j
assert x * x == -64
assert x - 7j == 1j
assert -7j + x == 1j
assert x - 2j == 6j
assert 1 / a == 0.2 - 0.1j
assert 2.0 / a == 0.4 - 0.2j
assert 1 + a == 5 + 2j
assert 2 - a == -2 - 2j
assert 3 * a == 12 + 6j
assert 1.0 + a == 5 + 2j
assert 2.0 - a == -2 - 2j
assert 3.0 * a == 12 + 6j
print('passed all tests...') |
# OBJECT_TYPES
VIPREQUEST_OBJ_TYPE = 'VipRequest'
SERVERPOOL_OBJ_TYPE = 'ServerPool'
VLAN_OBJ_TYPE = 'Vlan'
| viprequest_obj_type = 'VipRequest'
serverpool_obj_type = 'ServerPool'
vlan_obj_type = 'Vlan' |
class Header:
def __init__(self, opcode, src_addr="127.0.0.1", dest_addr="127.0.0.1"):
self.opcode = str(opcode)
self.src_addr = src_addr
self.dest_addr = dest_addr
def encrypt(self, cipher):
return type(self)(
opcode=cipher.encrypt(self.opcode),
src_addr=cipher.encrypt(self.src_addr),
dest_addr=cipher.encrypt(self.dest_addr),
)
def decrypt(self, cipher):
return type(self)(
opcode=int(cipher.decrypt(self.opcode)),
src_addr=cipher.decrypt(self.src_addr),
dest_addr=cipher.decrypt(self.dest_addr),
)
class Message:
def __init__(
self,
header,
buffer=None,
id=None,
q=None,
pswd=None,
status=None,
file=None,
dummy=None):
self.header = header
self.buffer = str(buffer)
self.id = str(id)
self.q = str(q)
self.pswd = str(pswd)
self.status = str(status)
self.file = str(file)
self.dummy = str(dummy)
def encrypt(self, cipher):
return type(self)(
header=self.header.encrypt(cipher),
buffer=cipher.encrypt(self.buffer),
id=cipher.encrypt(self.id),
q=cipher.encrypt(self.q),
pswd=cipher.encrypt(self.pswd),
status=cipher.encrypt(self.status),
file=cipher.encrypt(self.file),
dummy=cipher.encrypt(self.dummy),
)
def decrypt(self, cipher):
return type(self)(
header=self.header.decrypt(cipher),
buffer=cipher.decrypt(self.buffer),
id=cipher.decrypt(self.id),
q=cipher.decrypt(self.q),
pswd=cipher.decrypt(self.pswd),
status=cipher.decrypt(self.status),
file=cipher.decrypt(self.file),
dummy=cipher.decrypt(self.dummy),
)
| class Header:
def __init__(self, opcode, src_addr='127.0.0.1', dest_addr='127.0.0.1'):
self.opcode = str(opcode)
self.src_addr = src_addr
self.dest_addr = dest_addr
def encrypt(self, cipher):
return type(self)(opcode=cipher.encrypt(self.opcode), src_addr=cipher.encrypt(self.src_addr), dest_addr=cipher.encrypt(self.dest_addr))
def decrypt(self, cipher):
return type(self)(opcode=int(cipher.decrypt(self.opcode)), src_addr=cipher.decrypt(self.src_addr), dest_addr=cipher.decrypt(self.dest_addr))
class Message:
def __init__(self, header, buffer=None, id=None, q=None, pswd=None, status=None, file=None, dummy=None):
self.header = header
self.buffer = str(buffer)
self.id = str(id)
self.q = str(q)
self.pswd = str(pswd)
self.status = str(status)
self.file = str(file)
self.dummy = str(dummy)
def encrypt(self, cipher):
return type(self)(header=self.header.encrypt(cipher), buffer=cipher.encrypt(self.buffer), id=cipher.encrypt(self.id), q=cipher.encrypt(self.q), pswd=cipher.encrypt(self.pswd), status=cipher.encrypt(self.status), file=cipher.encrypt(self.file), dummy=cipher.encrypt(self.dummy))
def decrypt(self, cipher):
return type(self)(header=self.header.decrypt(cipher), buffer=cipher.decrypt(self.buffer), id=cipher.decrypt(self.id), q=cipher.decrypt(self.q), pswd=cipher.decrypt(self.pswd), status=cipher.decrypt(self.status), file=cipher.decrypt(self.file), dummy=cipher.decrypt(self.dummy)) |
# -*- coding: iso-8859-1 -*-
"""
MoinMoin - diff3 algorithm
@copyright: 2002 by Florian Festi
@license: GNU GPL, see COPYING for details.
"""
def text_merge(old, other, new, allow_conflicts=1,
marker1='<<<<<<<<<<<<<<<<<<<<<<<<<\n',
marker2='=========================\n',
marker3='>>>>>>>>>>>>>>>>>>>>>>>>>\n'):
""" do line by line diff3 merge with three strings"""
result = merge(old.splitlines(1), other.splitlines(1), new.splitlines(1),
allow_conflicts, marker1, marker2, marker3)
return ''.join(result)
def merge(old, other, new, allow_conflicts=1,
marker1='<<<<<<<<<<<<<<<<<<<<<<<<<\n',
marker2='=========================\n',
marker3='>>>>>>>>>>>>>>>>>>>>>>>>>\n'):
""" do line by line diff3 merge
input must be lists containing single lines
"""
old_nr, other_nr, new_nr = 0, 0, 0
old_len, other_len, new_len = len(old), len(other), len(new)
result = []
while old_nr < old_len and other_nr < other_len and new_nr < new_len:
# unchanged
if old[old_nr] == other[other_nr] == new[new_nr]:
result.append(old[old_nr])
old_nr += 1
other_nr += 1
new_nr += 1
else:
new_match = find_match(old, new, old_nr, new_nr)
other_match = find_match(old, other, old_nr, other_nr)
# new is changed
if new_match != (old_nr, new_nr):
new_changed_lines = new_match[0] - old_nr
# other is unchanged
if match(old, other, old_nr, other_nr,
new_changed_lines) == new_changed_lines:
result.extend(new[new_nr:new_match[1]])
old_nr = new_match[0]
new_nr = new_match[1]
other_nr += new_changed_lines
# both changed, conflict!
else:
if not allow_conflicts: return None
old_m, other_m, new_m = tripple_match(
old, other, new, other_match, new_match)
result.append(marker1)
result.extend(other[other_nr:other_m])
result.append(marker2)
result.extend(new[new_nr:new_m])
result.append(marker3)
old_nr, other_nr, new_nr = old_m, other_m, new_m
# other is changed
else:
other_changed_lines = other_match[0] - other_nr
# new is unchanged
if match(old, new, old_nr, new_nr,
other_changed_lines) == other_changed_lines:
result.extend(other[other_nr:other_match[1]])
old_nr = other_match[0]
other_nr = other_match[1]
new_nr += other_changed_lines
# both changed, conflict!
else:
if not allow_conflicts: return None
old_m, other_m, new_m = tripple_match(
old, other, new, other_match, new_match)
result.append(marker1)
result.extend(other[other_nr:other_m])
result.append(marker2)
result.extend(new[new_nr:new_m])
result.append(marker3)
old_nr, other_nr, new_nr = old_m, other_m, new_m
# process tail
# all finished
if old_nr==old_len and other_nr==other_len and new_nr==new_len:
pass
# new added lines
elif old_nr==old_len and other_nr==other_len:
result.extend(new[new_nr:])
# other added lines
elif old_nr==old_len and new_nr==new_len:
result.extend(other[other_nr])
# new deleted lines
elif (new_nr==new_len and (old_len-old_nr==other_len-other_nr) and
match(old, other, old_nr, other_nr, old_len-old_nr) ==
old_len-old_nr):
pass
# other deleted lines
elif (other_nr==other_len and (old_len-old_nr==new_len-new_nr) and
match(old, new, old_nr, new_nr, old_len-old_nr) ==
old_len-old_nr):
pass
# conflict
else:
if not allow_conflicts: return None
result.append(marker1)
result.extend(other[other_nr:])
result.append(marker2)
result.extend(new[new_nr:])
result.append(marker3)
return result
def tripple_match(old, other, new, other_match, new_match):
"""find next matching pattern unchanged in both other and new
return the position in all three lists
"""
while 1:
difference = new_match[0]-other_match[0]
# new changed more lines
if difference > 0:
match_len = match(old, other, other_match[0], other_match[1],
difference)
if match_len == difference:
return (new_match[0], other_match[1]+difference, new_match[1])
else:
other_match = find_match(old, other,
other_match[0] + match_len,
other_match[1] + match_len)
# other changed more lines
elif difference < 0:
difference = -difference
match_len = match(old, new, new_match[0], new_match[1],
difference)
if match_len == difference:
return (other_match[0], other_match[1],
new_match[0]+difference)
else:
new_match = find_match(old, new,
new_match[0] + match_len,
new_match[1] + match_len)
# both conflicts change same number of lines
# or no match till the end
else:
return (new_match[0], other_match[1], new_match[1])
def match(list1, list2, nr1, nr2, maxcount=3):
""" return the number matching items after the given positions
maximum maxcount lines are are processed
"""
i = 0
len1 = len(list1)
len2 = len(list2)
while nr1 < len1 and nr2 < len2 and list1[nr1] == list2[nr2]:
nr1 += 1
nr2 += 1
i += 1
if i >= maxcount and maxcount>0: break
return i
def find_match(list1, list2, nr1, nr2, mincount=3):
"""searches next matching pattern with lenght mincount
if no pattern is found len of the both lists is returned
"""
len1 = len(list1)
len2 = len(list2)
hit1 = None
hit2 = None
idx1 = nr1
idx2 = nr2
while ((idx1 < len1) or (idx2 < len2)):
i = nr1
while i <= idx1:
hit_count = match(list1, list2, i, idx2, mincount)
if hit_count >= mincount:
hit1 = (i, idx2)
break
i = i + 1
i = nr2
while i < idx2:
hit_count = match(list1, list2, idx1, i, mincount)
if hit_count >= mincount:
hit2 = (idx1, i)
break
i = i + 1
if hit1 or hit2: break
if idx1 < len1: idx1 = idx1 + 1
if idx2 < len2: idx2 = idx2 + 1
if hit1 and hit2:
#XXXX which one?
return hit1
elif hit1: return hit1
elif hit2: return hit2
else: return (len1, len2)
| """
MoinMoin - diff3 algorithm
@copyright: 2002 by Florian Festi
@license: GNU GPL, see COPYING for details.
"""
def text_merge(old, other, new, allow_conflicts=1, marker1='<<<<<<<<<<<<<<<<<<<<<<<<<\n', marker2='=========================\n', marker3='>>>>>>>>>>>>>>>>>>>>>>>>>\n'):
""" do line by line diff3 merge with three strings"""
result = merge(old.splitlines(1), other.splitlines(1), new.splitlines(1), allow_conflicts, marker1, marker2, marker3)
return ''.join(result)
def merge(old, other, new, allow_conflicts=1, marker1='<<<<<<<<<<<<<<<<<<<<<<<<<\n', marker2='=========================\n', marker3='>>>>>>>>>>>>>>>>>>>>>>>>>\n'):
""" do line by line diff3 merge
input must be lists containing single lines
"""
(old_nr, other_nr, new_nr) = (0, 0, 0)
(old_len, other_len, new_len) = (len(old), len(other), len(new))
result = []
while old_nr < old_len and other_nr < other_len and (new_nr < new_len):
if old[old_nr] == other[other_nr] == new[new_nr]:
result.append(old[old_nr])
old_nr += 1
other_nr += 1
new_nr += 1
else:
new_match = find_match(old, new, old_nr, new_nr)
other_match = find_match(old, other, old_nr, other_nr)
if new_match != (old_nr, new_nr):
new_changed_lines = new_match[0] - old_nr
if match(old, other, old_nr, other_nr, new_changed_lines) == new_changed_lines:
result.extend(new[new_nr:new_match[1]])
old_nr = new_match[0]
new_nr = new_match[1]
other_nr += new_changed_lines
else:
if not allow_conflicts:
return None
(old_m, other_m, new_m) = tripple_match(old, other, new, other_match, new_match)
result.append(marker1)
result.extend(other[other_nr:other_m])
result.append(marker2)
result.extend(new[new_nr:new_m])
result.append(marker3)
(old_nr, other_nr, new_nr) = (old_m, other_m, new_m)
else:
other_changed_lines = other_match[0] - other_nr
if match(old, new, old_nr, new_nr, other_changed_lines) == other_changed_lines:
result.extend(other[other_nr:other_match[1]])
old_nr = other_match[0]
other_nr = other_match[1]
new_nr += other_changed_lines
else:
if not allow_conflicts:
return None
(old_m, other_m, new_m) = tripple_match(old, other, new, other_match, new_match)
result.append(marker1)
result.extend(other[other_nr:other_m])
result.append(marker2)
result.extend(new[new_nr:new_m])
result.append(marker3)
(old_nr, other_nr, new_nr) = (old_m, other_m, new_m)
if old_nr == old_len and other_nr == other_len and (new_nr == new_len):
pass
elif old_nr == old_len and other_nr == other_len:
result.extend(new[new_nr:])
elif old_nr == old_len and new_nr == new_len:
result.extend(other[other_nr])
elif new_nr == new_len and old_len - old_nr == other_len - other_nr and (match(old, other, old_nr, other_nr, old_len - old_nr) == old_len - old_nr):
pass
elif other_nr == other_len and old_len - old_nr == new_len - new_nr and (match(old, new, old_nr, new_nr, old_len - old_nr) == old_len - old_nr):
pass
else:
if not allow_conflicts:
return None
result.append(marker1)
result.extend(other[other_nr:])
result.append(marker2)
result.extend(new[new_nr:])
result.append(marker3)
return result
def tripple_match(old, other, new, other_match, new_match):
"""find next matching pattern unchanged in both other and new
return the position in all three lists
"""
while 1:
difference = new_match[0] - other_match[0]
if difference > 0:
match_len = match(old, other, other_match[0], other_match[1], difference)
if match_len == difference:
return (new_match[0], other_match[1] + difference, new_match[1])
else:
other_match = find_match(old, other, other_match[0] + match_len, other_match[1] + match_len)
elif difference < 0:
difference = -difference
match_len = match(old, new, new_match[0], new_match[1], difference)
if match_len == difference:
return (other_match[0], other_match[1], new_match[0] + difference)
else:
new_match = find_match(old, new, new_match[0] + match_len, new_match[1] + match_len)
else:
return (new_match[0], other_match[1], new_match[1])
def match(list1, list2, nr1, nr2, maxcount=3):
""" return the number matching items after the given positions
maximum maxcount lines are are processed
"""
i = 0
len1 = len(list1)
len2 = len(list2)
while nr1 < len1 and nr2 < len2 and (list1[nr1] == list2[nr2]):
nr1 += 1
nr2 += 1
i += 1
if i >= maxcount and maxcount > 0:
break
return i
def find_match(list1, list2, nr1, nr2, mincount=3):
"""searches next matching pattern with lenght mincount
if no pattern is found len of the both lists is returned
"""
len1 = len(list1)
len2 = len(list2)
hit1 = None
hit2 = None
idx1 = nr1
idx2 = nr2
while idx1 < len1 or idx2 < len2:
i = nr1
while i <= idx1:
hit_count = match(list1, list2, i, idx2, mincount)
if hit_count >= mincount:
hit1 = (i, idx2)
break
i = i + 1
i = nr2
while i < idx2:
hit_count = match(list1, list2, idx1, i, mincount)
if hit_count >= mincount:
hit2 = (idx1, i)
break
i = i + 1
if hit1 or hit2:
break
if idx1 < len1:
idx1 = idx1 + 1
if idx2 < len2:
idx2 = idx2 + 1
if hit1 and hit2:
return hit1
elif hit1:
return hit1
elif hit2:
return hit2
else:
return (len1, len2) |
#!/usr/bin/python
ROS_VISION_NODE_NAME = 'vision'
ROS_BRIDGE_ENCODING = "bgr8"
ROS_CONFIG_FILE_PATH = '/vision/config_folder'
ROS_IS_RECONFIGURE = '/vision/reconfigure'
ROS_SUBSCRIBER_WEBCAM_TOPIC_NAME = "/usb_cam/image_raw"
ROS_SUBSCRIBER_MOUSE_EVENT_TOPIC_NAME = "/ui/mouse_event"
ROS_SUBSCRIBER_CONFIG_START_TOPIC_NAME = "/vision/reconfigure/start"
ROS_SUBSCRIBER_CONFIG_APPLY_TOPIC_NAME = "/vision/reconfigure/apply"
ROS_SUBSCRIBER_CONFIG_RADIUS_TOPIC_NAME = "/vision/reconfigure/radius"
ROS_SUBSCRIBER_CONFIG_H_TOPIC_NAME = "/vision/reconfigure/h"
ROS_SUBSCRIBER_CONFIG_S_TOPIC_NAME = "/vision/reconfigure/s"
ROS_SUBSCRIBER_CONFIG_V_TOPIC_NAME = "/vision/reconfigure/v"
ROS_SUBSCRIBER_CONFIG_HSV_RESET_TOPIC_NAME = "/vision/reconfigure/resetHSV"
ROS_SUBSCRIBER_CONFIG_TABLE_RESET_TOPIC_NAME = "/vision/reconfigure/resetTable"
ROS_SUBSCRIBER_CONFIG_TABLE_CHANGED_TOPIC_NAME = "/strategy/tableDimensionsChanged"
ROS_PUBLISHER_VIDEO_FEED_TOPIC_NAME = "/usb_cam/image_output"
ROS_PUBLISHER_PUCK_POSITION_TOPIC_NAME = "/puck_pos"
ROS_TABLE_DIMENSIONS_WIDTH_TOPIC_NAME = "/strategy/table_width"
ROS_TABLE_DIMENSIONS_HEIGHT_TOPIC_NAME = "/strategy/table_height" | ros_vision_node_name = 'vision'
ros_bridge_encoding = 'bgr8'
ros_config_file_path = '/vision/config_folder'
ros_is_reconfigure = '/vision/reconfigure'
ros_subscriber_webcam_topic_name = '/usb_cam/image_raw'
ros_subscriber_mouse_event_topic_name = '/ui/mouse_event'
ros_subscriber_config_start_topic_name = '/vision/reconfigure/start'
ros_subscriber_config_apply_topic_name = '/vision/reconfigure/apply'
ros_subscriber_config_radius_topic_name = '/vision/reconfigure/radius'
ros_subscriber_config_h_topic_name = '/vision/reconfigure/h'
ros_subscriber_config_s_topic_name = '/vision/reconfigure/s'
ros_subscriber_config_v_topic_name = '/vision/reconfigure/v'
ros_subscriber_config_hsv_reset_topic_name = '/vision/reconfigure/resetHSV'
ros_subscriber_config_table_reset_topic_name = '/vision/reconfigure/resetTable'
ros_subscriber_config_table_changed_topic_name = '/strategy/tableDimensionsChanged'
ros_publisher_video_feed_topic_name = '/usb_cam/image_output'
ros_publisher_puck_position_topic_name = '/puck_pos'
ros_table_dimensions_width_topic_name = '/strategy/table_width'
ros_table_dimensions_height_topic_name = '/strategy/table_height' |
n = int(input())
s = 0
for i in range(1,n+1):
if i%3 !=0 and i%5 !=0:
s += i
print(s) | n = int(input())
s = 0
for i in range(1, n + 1):
if i % 3 != 0 and i % 5 != 0:
s += i
print(s) |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Date : 2019-07-10 15:18:29
# @Author : Lewis Tian (taseikyo@gmail.com)
# @Link : github.com/taseikyo
# @Version : Python3.7
# https://projecteuler.net/problem=6
# (1 + 2 + ... 100)^2 - (1^2 + 2^2 + ... 100^2) =
# 2 * [(1*2 + 1*3 + ... 1*100) + (2*3 + 2*4 + ... 2*100 + ) + ... (99*100)]
def main():
return 2 * sum(x * y for x in range(1, 101) for y in range(x + 1, 101))
if __name__ == "__main__":
# 25164150
print(main())
| def main():
return 2 * sum((x * y for x in range(1, 101) for y in range(x + 1, 101)))
if __name__ == '__main__':
print(main()) |
# Copyright 2020 Google
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""
Rust Analyzer Bazel rules.
rust_analyzer will generate a rust-project.json file for the
given targets. This file can be consumed by rust-analyzer as an alternative
to Cargo.toml files.
"""
load("@io_bazel_rules_rust//rust:private/utils.bzl", "find_toolchain")
# We support only these rule kinds.
_rust_rules = [
"rust_library",
"rust_binary",
]
RustTargetInfo = provider(
fields = {
'name' : 'target name',
'root' : 'crate root',
'edition' : 'edition',
'dependencies' : 'dependencies',
'transitive_deps' : 'closure of all transitive dependencies',
'cfgs' : 'compilation cfgs',
'env' : 'Environment variables, used for the `env!` macro',
}
)
# Gets the crate_root file from the context.
# If the file is not specified, find lib.rs or main.rs
# in a library or binary rule respectively.
def fetch_crate_root_file(ctx):
crate_root = ctx.rule.attr.crate_root
if not crate_root:
if len(ctx.rule.attr.srcs) == 1:
crate_root = ctx.rule.attr.srcs[0]
else:
for src in ctx.rule.attr.srcs:
file_name = src.label.name
crate_type = ctx.rule.attr.crate_type
if crate_type == "bin" and file_name.endswith("main.rs"):
crate_root = src
break
if crate_type == "rlib" or crate_type == "dylib":
if file_name.endswith("lib.rs"):
crate_root = src
break
# The rules are structured such that the crate_root path will always be
# the first element in the in the depset
crate_root = crate_root.files.to_list()[0].path
def _rust_project_aspect_impl(target, ctx):
if ctx.rule.kind not in _rust_rules:
return []
info = ctx.toolchains["@io_bazel_rules_rust//rust:toolchain"]
# extract the crate_root path
edition = ctx.rule.attr.edition
if not edition:
edition = info.default_edition
crate_name = ctx.rule.attr.name
crate_root = fetch_crate_root_file(ctx)
cfgs = []
for feature in ctx.rule.attr.crate_features:
cfgs.append("feature=\"" + feature + "\"")
for flag in ctx.rule.attr.rustc_flags:
# --cfg flags should be passed as well but as an atomic
# config, not key/value
if flag.startswith("--cfg"):
cfgs.append(flag[6:])
env = ctx.rule.attr.rustc_env
deps = [dep[RustTargetInfo] for dep in ctx.rule.attr.deps if RustTargetInfo in dep]
transitive_deps = depset(direct = deps, transitive =
[dep[RustTargetInfo].transitive_deps for dep in ctx.rule.attr.deps])
return [RustTargetInfo(
name = crate_name,
edition = edition,
cfgs = cfgs,
root= crate_root,
env=env,
dependencies = deps,
transitive_deps = transitive_deps)]
rust_project_aspect = aspect(
attr_aspects = ["deps"],
implementation = _rust_project_aspect_impl,
toolchains = [ "@io_bazel_rules_rust//rust:toolchain" ]
)
def create_crate(target):
crate = dict()
crate["name"] = target.name
crate["ID"] = "ID-" + target.name
crate["root_module"] = target.root
crate["edition"] = target.edition
# TODO(bwb): smarter heuristic for workpace member indexing
crate["is_workspace_member"] = True
deps = []
for dep in target.dependencies:
deps.append({
"name": dep.name,
"ID": "ID-" + dep.name,
})
alloc_dep = dict()
alloc_dep["ID"] = "SYSROOT-alloc"
alloc_dep["name"] = "alloc"
deps.append(alloc_dep)
core_dep = dict()
core_dep["ID"] = "SYSROOT-core"
core_dep["name"] = "core"
deps.append(core_dep)
std_dep = dict()
std_dep["ID"] = "SYSROOT-std"
std_dep["name"] = "std"
deps.append(std_dep)
crate["deps"] = deps
crate["cfg"] = target.cfgs
crate["env"] = target.env
return crate
def populate_sysroot(ctx, crate_mapping, output):
# Hardcode the relevant sysroot structure for now.
# Anything smarter than this requires a Toml parser
sysroot = ["alloc", "core", "std", "panic_abort", "unwind"]
sysroot_deps_map = {
"alloc": ["core"],
"std": ["alloc", "core", "panic_abort", "unwind"],
}
root = ctx.attr.exec_root
info = ctx.toolchains["@io_bazel_rules_rust//rust:toolchain"]
idx = 0
for sysroot_crate in sysroot:
crate = dict()
crate["ID"] = "SYSROOT-" + sysroot_crate
crate["name"] = sysroot_crate
crate["root_module"] = root + "/" + info.rustc_src.label.workspace_root + "/src/lib" + sysroot_crate + "/lib.rs"
crate["edition"] = "2018"
# sysroot crates are rarely modified. Mark as not a member of the workspace
# for faster indexing
crate["is_workspace_member"] = False
crate["cfg"] = []
crate["env"] = {}
crate["deps"] = []
if sysroot_crate in sysroot_deps_map.keys():
for dep in sysroot_deps_map[sysroot_crate]:
crate["deps"].append({
"ID": "SYSROOT-" + dep,
"name": dep,
})
crate_mapping[crate["ID"]] = idx
idx += 1
output["crates"].append(crate)
return idx
def _rust_project_impl(ctx):
output = dict()
output["crates"] = []
crate_mapping = dict()
# idx starts after the sysroot is already populated
idx = populate_sysroot(ctx, crate_mapping, output)
for target in ctx.attr.targets:
for dep in target[RustTargetInfo].transitive_deps.to_list():
crate = create_crate(dep)
crate_mapping[crate["ID"]] = idx
idx += 1
output["crates"].append(crate)
crate = create_crate(target[RustTargetInfo])
output["crates"].append(crate)
# Go through the targets a second time and fill in their dependencies
# since we now have stable placement for their index.
for crate in output["crates"]:
for dep in crate["deps"]:
crate_id = dep["ID"]
dep["crate"] = crate_mapping[crate_id]
# clean up ID for cleaner output
dep.pop("ID", None)
crate.pop("ID", None)
ctx.actions.write(output = ctx.outputs.filename, content = struct(**output).to_json())
rust_analyzer = rule(
attrs = {
"targets": attr.label_list(
aspects = [rust_project_aspect],
doc = "List of all targets to be included in the index",
),
"exec_root": attr.string(
default = "__EXEC_ROOT__",
doc = "Execution root of Bazel as returned by 'bazel info execution_root'.",
),
},
outputs = {
"filename": "rust-project.json",
},
implementation = _rust_project_impl,
toolchains = [ "@io_bazel_rules_rust//rust:toolchain" ]
)
| """
Rust Analyzer Bazel rules.
rust_analyzer will generate a rust-project.json file for the
given targets. This file can be consumed by rust-analyzer as an alternative
to Cargo.toml files.
"""
load('@io_bazel_rules_rust//rust:private/utils.bzl', 'find_toolchain')
_rust_rules = ['rust_library', 'rust_binary']
rust_target_info = provider(fields={'name': 'target name', 'root': 'crate root', 'edition': 'edition', 'dependencies': 'dependencies', 'transitive_deps': 'closure of all transitive dependencies', 'cfgs': 'compilation cfgs', 'env': 'Environment variables, used for the `env!` macro'})
def fetch_crate_root_file(ctx):
crate_root = ctx.rule.attr.crate_root
if not crate_root:
if len(ctx.rule.attr.srcs) == 1:
crate_root = ctx.rule.attr.srcs[0]
else:
for src in ctx.rule.attr.srcs:
file_name = src.label.name
crate_type = ctx.rule.attr.crate_type
if crate_type == 'bin' and file_name.endswith('main.rs'):
crate_root = src
break
if crate_type == 'rlib' or crate_type == 'dylib':
if file_name.endswith('lib.rs'):
crate_root = src
break
crate_root = crate_root.files.to_list()[0].path
def _rust_project_aspect_impl(target, ctx):
if ctx.rule.kind not in _rust_rules:
return []
info = ctx.toolchains['@io_bazel_rules_rust//rust:toolchain']
edition = ctx.rule.attr.edition
if not edition:
edition = info.default_edition
crate_name = ctx.rule.attr.name
crate_root = fetch_crate_root_file(ctx)
cfgs = []
for feature in ctx.rule.attr.crate_features:
cfgs.append('feature="' + feature + '"')
for flag in ctx.rule.attr.rustc_flags:
if flag.startswith('--cfg'):
cfgs.append(flag[6:])
env = ctx.rule.attr.rustc_env
deps = [dep[RustTargetInfo] for dep in ctx.rule.attr.deps if RustTargetInfo in dep]
transitive_deps = depset(direct=deps, transitive=[dep[RustTargetInfo].transitive_deps for dep in ctx.rule.attr.deps])
return [rust_target_info(name=crate_name, edition=edition, cfgs=cfgs, root=crate_root, env=env, dependencies=deps, transitive_deps=transitive_deps)]
rust_project_aspect = aspect(attr_aspects=['deps'], implementation=_rust_project_aspect_impl, toolchains=['@io_bazel_rules_rust//rust:toolchain'])
def create_crate(target):
crate = dict()
crate['name'] = target.name
crate['ID'] = 'ID-' + target.name
crate['root_module'] = target.root
crate['edition'] = target.edition
crate['is_workspace_member'] = True
deps = []
for dep in target.dependencies:
deps.append({'name': dep.name, 'ID': 'ID-' + dep.name})
alloc_dep = dict()
alloc_dep['ID'] = 'SYSROOT-alloc'
alloc_dep['name'] = 'alloc'
deps.append(alloc_dep)
core_dep = dict()
core_dep['ID'] = 'SYSROOT-core'
core_dep['name'] = 'core'
deps.append(core_dep)
std_dep = dict()
std_dep['ID'] = 'SYSROOT-std'
std_dep['name'] = 'std'
deps.append(std_dep)
crate['deps'] = deps
crate['cfg'] = target.cfgs
crate['env'] = target.env
return crate
def populate_sysroot(ctx, crate_mapping, output):
sysroot = ['alloc', 'core', 'std', 'panic_abort', 'unwind']
sysroot_deps_map = {'alloc': ['core'], 'std': ['alloc', 'core', 'panic_abort', 'unwind']}
root = ctx.attr.exec_root
info = ctx.toolchains['@io_bazel_rules_rust//rust:toolchain']
idx = 0
for sysroot_crate in sysroot:
crate = dict()
crate['ID'] = 'SYSROOT-' + sysroot_crate
crate['name'] = sysroot_crate
crate['root_module'] = root + '/' + info.rustc_src.label.workspace_root + '/src/lib' + sysroot_crate + '/lib.rs'
crate['edition'] = '2018'
crate['is_workspace_member'] = False
crate['cfg'] = []
crate['env'] = {}
crate['deps'] = []
if sysroot_crate in sysroot_deps_map.keys():
for dep in sysroot_deps_map[sysroot_crate]:
crate['deps'].append({'ID': 'SYSROOT-' + dep, 'name': dep})
crate_mapping[crate['ID']] = idx
idx += 1
output['crates'].append(crate)
return idx
def _rust_project_impl(ctx):
output = dict()
output['crates'] = []
crate_mapping = dict()
idx = populate_sysroot(ctx, crate_mapping, output)
for target in ctx.attr.targets:
for dep in target[RustTargetInfo].transitive_deps.to_list():
crate = create_crate(dep)
crate_mapping[crate['ID']] = idx
idx += 1
output['crates'].append(crate)
crate = create_crate(target[RustTargetInfo])
output['crates'].append(crate)
for crate in output['crates']:
for dep in crate['deps']:
crate_id = dep['ID']
dep['crate'] = crate_mapping[crate_id]
dep.pop('ID', None)
crate.pop('ID', None)
ctx.actions.write(output=ctx.outputs.filename, content=struct(**output).to_json())
rust_analyzer = rule(attrs={'targets': attr.label_list(aspects=[rust_project_aspect], doc='List of all targets to be included in the index'), 'exec_root': attr.string(default='__EXEC_ROOT__', doc="Execution root of Bazel as returned by 'bazel info execution_root'.")}, outputs={'filename': 'rust-project.json'}, implementation=_rust_project_impl, toolchains=['@io_bazel_rules_rust//rust:toolchain']) |
class RedshiftSchema(object):
def schema_exists(self, schema):
sql = f"select * from pg_namespace where nspname = '{schema}'"
res = self.query(sql)
return res.num_rows > 0
def create_schema_with_permissions(self, schema, group=None):
"""
Creates a Redshift schema (if it doesn't already exist), and grants usage permissions to
a Redshift group (if specified).
`Args:`
schema: str
The schema name
group: str
The Redshift group name
type: str
The type of permissions to grant. Supports `select`, `all`, etc. (For
full list, see the
`Redshift GRANT docs <https://docs.aws.amazon.com/redshift/latest/dg/r_GRANT.html>`_)
""" # noqa: E501,E261
if not self.schema_exists(schema):
self.query(f"create schema {schema}")
self.query(f"grant usage on schema {schema} to group {group}")
def grant_schema_permissions(self, schema, group, permissions_type='select'):
"""
Grants a Redshift group permissions to all tables within an existing schema.
`Args:`
schema: str
The schema name
group: str
The Redshift group name
type: str
The type of permissions to grant. Supports `select`, `all`, etc. (For
full list, see the
`Redshift GRANT docs <https://docs.aws.amazon.com/redshift/latest/dg/r_GRANT.html>`_)
""" # noqa: E501,E261
sql = f"""
grant usage on schema {schema} to group {group};
grant {permissions_type} on all tables in schema {schema} to group {group};
"""
self.query(sql)
| class Redshiftschema(object):
def schema_exists(self, schema):
sql = f"select * from pg_namespace where nspname = '{schema}'"
res = self.query(sql)
return res.num_rows > 0
def create_schema_with_permissions(self, schema, group=None):
"""
Creates a Redshift schema (if it doesn't already exist), and grants usage permissions to
a Redshift group (if specified).
`Args:`
schema: str
The schema name
group: str
The Redshift group name
type: str
The type of permissions to grant. Supports `select`, `all`, etc. (For
full list, see the
`Redshift GRANT docs <https://docs.aws.amazon.com/redshift/latest/dg/r_GRANT.html>`_)
"""
if not self.schema_exists(schema):
self.query(f'create schema {schema}')
self.query(f'grant usage on schema {schema} to group {group}')
def grant_schema_permissions(self, schema, group, permissions_type='select'):
"""
Grants a Redshift group permissions to all tables within an existing schema.
`Args:`
schema: str
The schema name
group: str
The Redshift group name
type: str
The type of permissions to grant. Supports `select`, `all`, etc. (For
full list, see the
`Redshift GRANT docs <https://docs.aws.amazon.com/redshift/latest/dg/r_GRANT.html>`_)
"""
sql = f'\n grant usage on schema {schema} to group {group};\n grant {permissions_type} on all tables in schema {schema} to group {group};\n '
self.query(sql) |
"""Module containing the `NodeOrigin` class used to store node origin info."""
class NodeOrigin:
"""
Class representing the origin of an AST node.
Attributes:
file {string} -- Source file from which the node originates.
start {int|None} -- starting line number at which the node was found.
end {int|None} -- ending line number at which the node was found.
"""
def __init__(self, file_path, start=None, end=None):
"""
Initialize a new node origin instance.
Arguments:
file_path {string} -- Path to the node's source file.
Keyword Arguments:
start {int} -- Starting line number of node's origin. (default: {None})
end {int} -- Ending line number of node's origin. (default: {None})
Raises:
ValueError -- When file path is None or when only one of the two
source position specifiers is not None.
"""
if file_path is None:
raise ValueError(
"File path must always be set to a non-None value")
if (start is None) != (end is None):
raise ValueError(
"Either both the start and end lines must be set or neither")
self.file = file_path
self.start = start
self.end = end
def __str__(self):
"""Convert the node origin into a human-readable string representation."""
return self.file + (f" ({self.start}, {self.end})"
if self.start and self.end else "")
def __repr__(self):
"""Return a string representation of the node origin."""
return self.__str__()
def __hash__(self):
"""
Get hash of the node origin.
The `id` of the node origin is used right now, so two equivalent
node origins may not necessarily have the same hash.
That would be a problem normally, but it works fine in this project.
"""
return hash(id(self))
| """Module containing the `NodeOrigin` class used to store node origin info."""
class Nodeorigin:
"""
Class representing the origin of an AST node.
Attributes:
file {string} -- Source file from which the node originates.
start {int|None} -- starting line number at which the node was found.
end {int|None} -- ending line number at which the node was found.
"""
def __init__(self, file_path, start=None, end=None):
"""
Initialize a new node origin instance.
Arguments:
file_path {string} -- Path to the node's source file.
Keyword Arguments:
start {int} -- Starting line number of node's origin. (default: {None})
end {int} -- Ending line number of node's origin. (default: {None})
Raises:
ValueError -- When file path is None or when only one of the two
source position specifiers is not None.
"""
if file_path is None:
raise value_error('File path must always be set to a non-None value')
if (start is None) != (end is None):
raise value_error('Either both the start and end lines must be set or neither')
self.file = file_path
self.start = start
self.end = end
def __str__(self):
"""Convert the node origin into a human-readable string representation."""
return self.file + (f' ({self.start}, {self.end})' if self.start and self.end else '')
def __repr__(self):
"""Return a string representation of the node origin."""
return self.__str__()
def __hash__(self):
"""
Get hash of the node origin.
The `id` of the node origin is used right now, so two equivalent
node origins may not necessarily have the same hash.
That would be a problem normally, but it works fine in this project.
"""
return hash(id(self)) |
# Write a Python program to test whether a number is within 100 of 1000 or 2000.
n = int(input("Enter a number: "))
def near_thousand(x):
return ((abs(1000 - x) <= 100) or (abs(2000 - x) <= 100))
print(near_thousand(n))
| n = int(input('Enter a number: '))
def near_thousand(x):
return abs(1000 - x) <= 100 or abs(2000 - x) <= 100
print(near_thousand(n)) |
class Char:
def __init__(self):
self.name = ""
self.max_health = 100
class Attributes:
def __init__(self):
self.str = 0
self.agi = 0
self.dex = 0
self.lck = 0
self.chr = 0
self.end = 0
self.spr = 0
self.wis = 0
| class Char:
def __init__(self):
self.name = ''
self.max_health = 100
class Attributes:
def __init__(self):
self.str = 0
self.agi = 0
self.dex = 0
self.lck = 0
self.chr = 0
self.end = 0
self.spr = 0
self.wis = 0 |
class app:
def __init__(self):
print('test')
if __name__ == '__main__':
app() | class App:
def __init__(self):
print('test')
if __name__ == '__main__':
app() |
class InvalidRequestMethodErr(Exception):
pass
class InvalidDownloadMiddlewareErr(Exception):
pass
class InvalidMiddlewareErr(Exception):
pass
class QueueEmptyErr(Exception):
pass
class InvalidDownloaderErr(Exception):
pass
class UnhandledDownloadErr(Exception):
pass
| class Invalidrequestmethoderr(Exception):
pass
class Invaliddownloadmiddlewareerr(Exception):
pass
class Invalidmiddlewareerr(Exception):
pass
class Queueemptyerr(Exception):
pass
class Invaliddownloadererr(Exception):
pass
class Unhandleddownloaderr(Exception):
pass |
load("@bazel_skylib//lib:unittest.bzl", "asserts", "analysistest")
load("cppwinrt.bzl", "cppwinrt")
def _test_impl(ctx):
env = analysistest.begin(ctx)
target_under_test = analysistest.target_under_test(env)
actions = analysistest.target_actions(env)
header_output = actions[0].outputs.to_list()[0]
asserts.equals(env, target_under_test.label.name + ".h", header_output.basename)
return analysistest.end(env)
cppwinrt_test = analysistest.make(_test_impl)
def _test():
# Rule under test. Be sure to tag 'manual', as this target should not be built using `:all` except as a dependency of the test.
cppwinrt(
name="cppwinrt_test_rule",
winmd="cppwinrt_test.winmd",
tags = ["manual"],
)
cppwinrt_test(name="cppwinrt_test", target_under_test="cppwinrt_test_rule")
def cppwinrt_test_suite(name):
_test()
native.test_suite(
name = name,
tests = [
":cppwinrt_test"
]
) | load('@bazel_skylib//lib:unittest.bzl', 'asserts', 'analysistest')
load('cppwinrt.bzl', 'cppwinrt')
def _test_impl(ctx):
env = analysistest.begin(ctx)
target_under_test = analysistest.target_under_test(env)
actions = analysistest.target_actions(env)
header_output = actions[0].outputs.to_list()[0]
asserts.equals(env, target_under_test.label.name + '.h', header_output.basename)
return analysistest.end(env)
cppwinrt_test = analysistest.make(_test_impl)
def _test():
cppwinrt(name='cppwinrt_test_rule', winmd='cppwinrt_test.winmd', tags=['manual'])
cppwinrt_test(name='cppwinrt_test', target_under_test='cppwinrt_test_rule')
def cppwinrt_test_suite(name):
_test()
native.test_suite(name=name, tests=[':cppwinrt_test']) |
class Solution(object):
def firstMissingPositive(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
for i in range(len(nums)):
while nums[i] > 0 and nums[i] <= len(nums) and nums[i] != nums[nums[i]-1]:
t = nums[i] - 1
nums[t], nums[i] = nums[i], nums[t]
for i in range(len(nums)):
if nums[i] != i + 1:
return i + 1
# existing values are all correct
return len(nums) + 1
| class Solution(object):
def first_missing_positive(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
for i in range(len(nums)):
while nums[i] > 0 and nums[i] <= len(nums) and (nums[i] != nums[nums[i] - 1]):
t = nums[i] - 1
(nums[t], nums[i]) = (nums[i], nums[t])
for i in range(len(nums)):
if nums[i] != i + 1:
return i + 1
return len(nums) + 1 |
(day, month, year) = input().strip().split()
day = int(day); month = int(month); year = int(year)
if month < 3:
month += 12
year -= 1
c = year / 100
k = year % 100
day + 26 * (m + 1) / 10 + k + k/4
week_day_name = ''
# 1. Follow from flowchart
if 0 == week_day:
week_day_name = 'SAT'
elif 1 == week_day:
week_day_name = 'SUN'
elif 2 == week_day:
week_day_name = 'MON'
elif 3 == week_day:
week_day_name = 'TUE'
elif 4 == week_day:
week_day_name = 'WED'
elif 5 == week_day:
week_day_name = 'THU'
elif 6 == week_day:
week_day_name = 'FRI'
print(week_day_name)
# 2. SHORTER VERSION
# week_day_list = ['SAT', 'SUN', 'MON', 'TUE', 'WED', 'THU', 'FRI']
# print(week_day_list[week_day])
| (day, month, year) = input().strip().split()
day = int(day)
month = int(month)
year = int(year)
if month < 3:
month += 12
year -= 1
c = year / 100
k = year % 100
day + 26 * (m + 1) / 10 + k + k / 4
week_day_name = ''
if 0 == week_day:
week_day_name = 'SAT'
elif 1 == week_day:
week_day_name = 'SUN'
elif 2 == week_day:
week_day_name = 'MON'
elif 3 == week_day:
week_day_name = 'TUE'
elif 4 == week_day:
week_day_name = 'WED'
elif 5 == week_day:
week_day_name = 'THU'
elif 6 == week_day:
week_day_name = 'FRI'
print(week_day_name) |
#using strings
myString ="my time is longer"
myInteger= 23
int =455
print(int)
print(myString.upper()) #all in capital letters
print(myString.lower()) #all in lowercase
print(myString.capitalize()) # the first letter is in capital letter
print(myString.swapcase()) #change all in capital letters because the original string is in lowercase
print(myString.count('i')) #count 'i'
print(myString.replace('time', 'computer')) #replace 'time' by 'computer'
print(myString.startswith('me')) #this return a boolean, in this case 'false', because the inicial word
#of the text is 'my'
print(myString.endswith('longer')) #this return a boolean, in this case 'true', because the final word
#of the string or text is 'longer'
print(myString.split(' ')) #this split or separates the string according to ' ' it's a empty in this case
print(myString.split('i')) #this split or separates the string according to 'i'
print(myString.find(' ')) #this counts the string from the first letter to find the indicated character,
#in this case ' ' and value that return is 2
print(myString.find('o')) #This count the string from the first letter ti find the indicated character
#in this case 'o' and the value that return is 12
print(myString.index('y'))
print(myString[5])
print(myString[-3])
print(myString[2])
myName= "Charles"
myNumber = 23
myDoubleNumer= 24.6
print("My name is "+ myName)
#Other form for concatenate
print("........................................")
print(f"My name is {myName}")
print(f"My number is {myNumber}")
print(f"My double number is {myDoubleNumer}")
#Another form for concatenate
print("........................................")
print("My name is {0}".format(myName))
print("My number is {0}".format(myNumber))
print("My double number is {0}".format(myDoubleNumer))
| my_string = 'my time is longer'
my_integer = 23
int = 455
print(int)
print(myString.upper())
print(myString.lower())
print(myString.capitalize())
print(myString.swapcase())
print(myString.count('i'))
print(myString.replace('time', 'computer'))
print(myString.startswith('me'))
print(myString.endswith('longer'))
print(myString.split(' '))
print(myString.split('i'))
print(myString.find(' '))
print(myString.find('o'))
print(myString.index('y'))
print(myString[5])
print(myString[-3])
print(myString[2])
my_name = 'Charles'
my_number = 23
my_double_numer = 24.6
print('My name is ' + myName)
print('........................................')
print(f'My name is {myName}')
print(f'My number is {myNumber}')
print(f'My double number is {myDoubleNumer}')
print('........................................')
print('My name is {0}'.format(myName))
print('My number is {0}'.format(myNumber))
print('My double number is {0}'.format(myDoubleNumer)) |
class Animal():
def __init__(self,name):
self.name =name
#a = Animal("dog")
#print(a.name)
| class Animal:
def __init__(self, name):
self.name = name |
#
# Copyright 2022 Embedded Systems Unit, Fondazione Bruno Kessler
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
'''
Module for all PyVmt exceptions
'''
class PyvmtException(Exception):
'''
Base exception for pyvmt
'''
class UnexpectedStateVariableError(PyvmtException):
'''
Raised when a formula which shouldn't have next/prev state variables has one
'''
class StateVariableError(PyvmtException):
'''
Raised when a formula which should be a state variable isn't
'''
class UnexpectedInputVariableError(PyvmtException):
'''
Raised when a formula which shouldn't have an input variable has one
'''
class MismatchedTypeError(PyvmtException):
'''
Raised when two types mismatch, like the types for a state variable
'''
class NotSymbolError(PyvmtException):
'''
Raised when a formula which is expected to be a symbol is not
'''
class DuplicateDeclarationError(PyvmtException):
'''
Raised when a symbol is being declared twice
'''
class UndeclaredSymbolError(PyvmtException):
'''
Raised when a symbol is being declared twice
'''
class PyvmtTypeError(PyvmtException, TypeError):
'''
Raised when the type of a formula is incorrect
'''
class InvalidPropertyIdxError(PyvmtException):
'''
Raised when creating a property with an invalid index
'''
class DuplicatePropertyIdxError(PyvmtException):
'''
Raised when creating a property with a duplicate index
'''
class PropertyNotFoundError(PyvmtException):
'''
Raised when the searched property doesn't exist
'''
class InvalidAnnotationValueError(PyvmtException):
'''
Raised when an annotation has an invalid value
'''
class UnknownSolverAnswerError(PyvmtException):
'''
Raised when a solver returns an invalid response
'''
class InvalidSolverOption(PyvmtException):
'''
Raised when an invalid option or option value is used
'''
class IncorrectSymbolNameError(PyvmtException):
'''
Raised when a symbol has an invalid name,
for example when trying to replace a prefix and
the symbol is missing that prefix
'''
class MismatchedEnvironmentError(PyvmtException):
'''
Raised when an operation is working on different environments
at the same time, for example a composition on two models
which don't belong to the same environment
'''
class DuplicateLoopbackStepError(PyvmtException):
'''
Raised when trying to create a loopback step for a trace which already has one
'''
class MissingLoopbackStepError(PyvmtException):
'''
Raised when trying to get a loopback step for a trace which doesn't have one
'''
class UnexpectedLtlError(PyvmtException):
'''
Raised when a formula which shouldn't contain LTL operators does
'''
class UnexpectedNextError(PyvmtException):
'''
Raised when a formula which shouldn't contain Next operators does
'''
class InvalidPropertyTypeError(PyvmtException):
'''
Raised when the type of a property is invalid.
Valid property types are found in pyvmt.properties.PROPERTY_TYPES
'''
class TraceStepNotFoundError(PyvmtException):
'''
Raised when a trace step is not found, for example while requesting
the step after a last one in a trace with no loopback.
'''
class SolverNotConfiguredError(PyvmtException):
'''
Raised when a solver that is not configured is used.
'''
def __init__(self, solver_name, env_var):
super().__init__(f'Solver {solver_name} configuration not found, '\
f'please add the variable {env_var} to your environment file, '\
'look at the documentation for a detailed explanation')
class SolverNotFoundError(PyvmtException):
'''
Raised when a solver is not found at the specified path.
'''
class NoLogicAvailableError(PyvmtException):
'''
Raised when no logic is available for a solver.
'''
| """
Module for all PyVmt exceptions
"""
class Pyvmtexception(Exception):
"""
Base exception for pyvmt
"""
class Unexpectedstatevariableerror(PyvmtException):
"""
Raised when a formula which shouldn't have next/prev state variables has one
"""
class Statevariableerror(PyvmtException):
"""
Raised when a formula which should be a state variable isn't
"""
class Unexpectedinputvariableerror(PyvmtException):
"""
Raised when a formula which shouldn't have an input variable has one
"""
class Mismatchedtypeerror(PyvmtException):
"""
Raised when two types mismatch, like the types for a state variable
"""
class Notsymbolerror(PyvmtException):
"""
Raised when a formula which is expected to be a symbol is not
"""
class Duplicatedeclarationerror(PyvmtException):
"""
Raised when a symbol is being declared twice
"""
class Undeclaredsymbolerror(PyvmtException):
"""
Raised when a symbol is being declared twice
"""
class Pyvmttypeerror(PyvmtException, TypeError):
"""
Raised when the type of a formula is incorrect
"""
class Invalidpropertyidxerror(PyvmtException):
"""
Raised when creating a property with an invalid index
"""
class Duplicatepropertyidxerror(PyvmtException):
"""
Raised when creating a property with a duplicate index
"""
class Propertynotfounderror(PyvmtException):
"""
Raised when the searched property doesn't exist
"""
class Invalidannotationvalueerror(PyvmtException):
"""
Raised when an annotation has an invalid value
"""
class Unknownsolveranswererror(PyvmtException):
"""
Raised when a solver returns an invalid response
"""
class Invalidsolveroption(PyvmtException):
"""
Raised when an invalid option or option value is used
"""
class Incorrectsymbolnameerror(PyvmtException):
"""
Raised when a symbol has an invalid name,
for example when trying to replace a prefix and
the symbol is missing that prefix
"""
class Mismatchedenvironmenterror(PyvmtException):
"""
Raised when an operation is working on different environments
at the same time, for example a composition on two models
which don't belong to the same environment
"""
class Duplicateloopbacksteperror(PyvmtException):
"""
Raised when trying to create a loopback step for a trace which already has one
"""
class Missingloopbacksteperror(PyvmtException):
"""
Raised when trying to get a loopback step for a trace which doesn't have one
"""
class Unexpectedltlerror(PyvmtException):
"""
Raised when a formula which shouldn't contain LTL operators does
"""
class Unexpectednexterror(PyvmtException):
"""
Raised when a formula which shouldn't contain Next operators does
"""
class Invalidpropertytypeerror(PyvmtException):
"""
Raised when the type of a property is invalid.
Valid property types are found in pyvmt.properties.PROPERTY_TYPES
"""
class Tracestepnotfounderror(PyvmtException):
"""
Raised when a trace step is not found, for example while requesting
the step after a last one in a trace with no loopback.
"""
class Solvernotconfigurederror(PyvmtException):
"""
Raised when a solver that is not configured is used.
"""
def __init__(self, solver_name, env_var):
super().__init__(f'Solver {solver_name} configuration not found, please add the variable {env_var} to your environment file, look at the documentation for a detailed explanation')
class Solvernotfounderror(PyvmtException):
"""
Raised when a solver is not found at the specified path.
"""
class Nologicavailableerror(PyvmtException):
"""
Raised when no logic is available for a solver.
""" |
def save_color_image(db, data):
db.update_snapshot(data['user'], data['timestamp'], data['result'])
def save_depth_image(db, data):
db.update_snapshot(data['user'], data['timestamp'], data['result'])
| def save_color_image(db, data):
db.update_snapshot(data['user'], data['timestamp'], data['result'])
def save_depth_image(db, data):
db.update_snapshot(data['user'], data['timestamp'], data['result']) |
class Solution:
def luckyNumbers (self, matrix: List[List[int]]) -> List[int]:
r = []
for row in range(len(matrix)):
m = min(matrix[row])
i = matrix[row].index(m)
flag = True
for k in range(len(matrix)):
if matrix[k][i]>m:
flag = False
break
if flag==True:
r.append(m)
return r
| class Solution:
def lucky_numbers(self, matrix: List[List[int]]) -> List[int]:
r = []
for row in range(len(matrix)):
m = min(matrix[row])
i = matrix[row].index(m)
flag = True
for k in range(len(matrix)):
if matrix[k][i] > m:
flag = False
break
if flag == True:
r.append(m)
return r |
## scale and fit on the scaled data
scaler = StandardScaler()
X_scaled = scaler.fit_transform(X)
pred = KMeans(4).fit_predict(X_scaled)
# plotting
xmin,ymin,xmax,ymax = *X_scaled.min(0), *X_scaled.max(0) # the "*" just unpacks the values, not multiplication
plt.scatter(X_scaled[:,0],X_scaled[:,1], c=pred)
plt.xlim(xmin,xmax)
plt.ylim(ymin,ymax)
plt.title('KMeans with scaling') | scaler = standard_scaler()
x_scaled = scaler.fit_transform(X)
pred = k_means(4).fit_predict(X_scaled)
(xmin, ymin, xmax, ymax) = (*X_scaled.min(0), *X_scaled.max(0))
plt.scatter(X_scaled[:, 0], X_scaled[:, 1], c=pred)
plt.xlim(xmin, xmax)
plt.ylim(ymin, ymax)
plt.title('KMeans with scaling') |
class BreakoutException(Exception):
pass
class FunctionThrownException(Exception):
def __init__(self, outer, step):
self.outer = outer
self.step = step
def o_add(input_list, position, param1, param2, param3):
param3(input_list, input_list[position+3], True, param1(input_list, input_list[position+1]) + param2(input_list, input_list[position+2]))
return position + 4
def o_multiply(input_list, position, param1, param2, param3):
param3(input_list, input_list[position+3], True, param1(input_list, input_list[position+1]) * param2(input_list, input_list[position+2]))
return position + 4
def o_input(source, input_list, position, param1, *_):
param1(input_list, input_list[position+1], True, source())
return position + 2
def o_output(sink, input_list, position, param1, *_):
value = param1(input_list, input_list[position+1])
try:
sink(value)
return position + 2
except Exception as e:
raise FunctionThrownException(e, position + 2)
def o_jumpIfTrue(input_list, position, param1, param2, _):
operand = param1(input_list, input_list[position+1])
if operand != 0:
address = param2(input_list, input_list[position+2])
#print(f'(t{position})Jumping to {address} because of {operand}')
return address
#print(f'(t{position})Not jumping to because of {operand}')
return position + 3
def o_jumpIfFalse(input_list, position, param1, param2, _):
operand = param1(input_list, input_list[position+1])
if operand == 0:
address = param2(input_list, input_list[position+2])
#print(f'(f{position})Jumping to {address} because of {operand}')
return address
#print(f'(f{position})Not jumping to because of {operand}')
return position + 3
def o_lessThan(input_list, position, param1, param2, param3):
x = param1(input_list, input_list[position+1])
y = param2(input_list, input_list[position+2])
param3(input_list, input_list[position+3], True, 1 if x < y else 0)
return position + 4
def o_equal(input_list, position, param1, param2, param3):
x = param1(input_list, input_list[position+1])
y = param2(input_list, input_list[position+2])
param3(input_list, input_list[position+3], True, 1 if x == y else 0)
return position + 4
def o_done(input_list, position, *_):
raise BreakoutException
| class Breakoutexception(Exception):
pass
class Functionthrownexception(Exception):
def __init__(self, outer, step):
self.outer = outer
self.step = step
def o_add(input_list, position, param1, param2, param3):
param3(input_list, input_list[position + 3], True, param1(input_list, input_list[position + 1]) + param2(input_list, input_list[position + 2]))
return position + 4
def o_multiply(input_list, position, param1, param2, param3):
param3(input_list, input_list[position + 3], True, param1(input_list, input_list[position + 1]) * param2(input_list, input_list[position + 2]))
return position + 4
def o_input(source, input_list, position, param1, *_):
param1(input_list, input_list[position + 1], True, source())
return position + 2
def o_output(sink, input_list, position, param1, *_):
value = param1(input_list, input_list[position + 1])
try:
sink(value)
return position + 2
except Exception as e:
raise function_thrown_exception(e, position + 2)
def o_jump_if_true(input_list, position, param1, param2, _):
operand = param1(input_list, input_list[position + 1])
if operand != 0:
address = param2(input_list, input_list[position + 2])
return address
return position + 3
def o_jump_if_false(input_list, position, param1, param2, _):
operand = param1(input_list, input_list[position + 1])
if operand == 0:
address = param2(input_list, input_list[position + 2])
return address
return position + 3
def o_less_than(input_list, position, param1, param2, param3):
x = param1(input_list, input_list[position + 1])
y = param2(input_list, input_list[position + 2])
param3(input_list, input_list[position + 3], True, 1 if x < y else 0)
return position + 4
def o_equal(input_list, position, param1, param2, param3):
x = param1(input_list, input_list[position + 1])
y = param2(input_list, input_list[position + 2])
param3(input_list, input_list[position + 3], True, 1 if x == y else 0)
return position + 4
def o_done(input_list, position, *_):
raise BreakoutException |
"""
A full binary tree is a tree which has either 0 children or 2 children
"""
class Node:
def __init__(self, val):
self.val = val
self.left = None
self.right = None
def check(root):
if not root:
return True
if not root.left and not root.right:
return True
if root.left and root.right:
return check(root.left) and check(root.right)
root = Node(0)
root.left = Node(1)
root.right = Node(2)
if check(root):
print('True')
else:
print("False") | """
A full binary tree is a tree which has either 0 children or 2 children
"""
class Node:
def __init__(self, val):
self.val = val
self.left = None
self.right = None
def check(root):
if not root:
return True
if not root.left and (not root.right):
return True
if root.left and root.right:
return check(root.left) and check(root.right)
root = node(0)
root.left = node(1)
root.right = node(2)
if check(root):
print('True')
else:
print('False') |
class Settings:
"""A class to store all settings for Alien Invasion."""
def __init__(self):
"""Initialize the game's static settings"""
# Screen settings
self.screen_width = 1280
self.screen_height = 720
self.bg_color = (230, 230, 230)
# Ship Settings
self.ship_limit = 2
# Bullet Settings
self.bullet_width = 5
self.bullet_height = 30
self.bullet_color = (60, 60, 60)
self.bullet_allowed = 10
# Alien Settings
self.fleet_drop_speed = 20
# How quickly the game speeds up
self.speedup_scale = 1.5
# How quickly the alien point values
self.score_scale = 2.0
self.initialize_dynamic_settings()
def initialize_dynamic_settings(self):
"""Initialize settings that change throughout the game."""
self.ship_speed = 2
self.bullet_speed = 3.5
self.alien_speed = 1.6
# fleet_direction of 1 represents right, -1 represents left
self.fleet_direction = 1
# Scoring
self.alien_points = 50
def increase_speed(self):
"""Increase speed settings and alien point values."""
self.ship_speed *= self.speedup_scale
self.bullet_speed *= self.speedup_scale
self.alien_speed *= self.speedup_scale
self.alien_points = int(self.alien_points * self.score_scale)
| class Settings:
"""A class to store all settings for Alien Invasion."""
def __init__(self):
"""Initialize the game's static settings"""
self.screen_width = 1280
self.screen_height = 720
self.bg_color = (230, 230, 230)
self.ship_limit = 2
self.bullet_width = 5
self.bullet_height = 30
self.bullet_color = (60, 60, 60)
self.bullet_allowed = 10
self.fleet_drop_speed = 20
self.speedup_scale = 1.5
self.score_scale = 2.0
self.initialize_dynamic_settings()
def initialize_dynamic_settings(self):
"""Initialize settings that change throughout the game."""
self.ship_speed = 2
self.bullet_speed = 3.5
self.alien_speed = 1.6
self.fleet_direction = 1
self.alien_points = 50
def increase_speed(self):
"""Increase speed settings and alien point values."""
self.ship_speed *= self.speedup_scale
self.bullet_speed *= self.speedup_scale
self.alien_speed *= self.speedup_scale
self.alien_points = int(self.alien_points * self.score_scale) |
for i in range(0, 9):
if i == 5:
continue
print(i)
print("Loop is end.") | for i in range(0, 9):
if i == 5:
continue
print(i)
print('Loop is end.') |
# -*- coding: utf-8 -*-
def factorial_func(n: int):
if isinstance(n, int) and n < 0:
raise ValueError('Number n must be an integer and n is not an negative!')
res = 1
while n >= 2:
res *= n
n -= 1
return res
def fib_func(n):
if isinstance(n, int) and n < 1:
raise ValueError('Number n must be a positive integer!')
a, b = 1, 1
while n > 2:
a, b = b, a + b
n -= 1
return b
| def factorial_func(n: int):
if isinstance(n, int) and n < 0:
raise value_error('Number n must be an integer and n is not an negative!')
res = 1
while n >= 2:
res *= n
n -= 1
return res
def fib_func(n):
if isinstance(n, int) and n < 1:
raise value_error('Number n must be a positive integer!')
(a, b) = (1, 1)
while n > 2:
(a, b) = (b, a + b)
n -= 1
return b |
# Copyright (C) 2017 Google Inc.
# Licensed under http://www.apache.org/licenses/LICENSE-2.0 <see LICENSE file>
"""Constants for batch tests (tests with multiple actions)."""
# number of objects in a batch
COUNT = 2
# number of try operations
TRY_COUNT = 2
| """Constants for batch tests (tests with multiple actions)."""
count = 2
try_count = 2 |
fuel_type = input()
fuel_amount = float(input())
club_card = input()
gasoline_price = 2.22
diesel_price = 2.33
gas_price = 0.93
if fuel_type == "Gas":
if club_card == "Yes":
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * (gas_price - 0.08)
fuel_price = fuel_price - (fuel_price * 0.08)
print(f"{fuel_price:.2f} lv.")
elif fuel_amount < 20:
fuel_price = fuel_amount * (gas_price - 0.08)
print(f"{fuel_price:.2f} lv.")
else:
fuel_price = fuel_amount * (gas_price - 0.08)
fuel_price = fuel_price - (fuel_price * 0.1)
print(f"{fuel_price:.2f} lv.")
elif club_card == "No":
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * gas_price
fuel_price = fuel_price - (fuel_price * 0.08)
print(f"{fuel_price:.2f} lv.")
elif fuel_amount < 20:
fuel_price = fuel_amount * gas_price
print(f"{fuel_price:.2f} lv.")
else:
fuel_price = fuel_amount * gas_price
fuel_price = fuel_price - (fuel_price * 0.1)
print(f"{fuel_price:.2f} lv.")
elif fuel_type == "Gasoline":
if club_card == "Yes":
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * (gasoline_price - 0.18)
fuel_price = fuel_price - (fuel_price * 0.08)
print(f"{fuel_price:.2f} lv.")
elif fuel_amount < 20:
fuel_price = fuel_amount * (gasoline_price - 0.18)
print(f"{fuel_price:.2f} lv.")
else:
fuel_price = fuel_amount * (gasoline_price - 0.18)
fuel_price = fuel_price - (fuel_price * 0.1)
print(f"{fuel_price:.2f} lv.")
elif club_card == "No":
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * gasoline_price
fuel_price = fuel_price - (fuel_price * 0.08)
print(f"{fuel_price:.2f} lv.")
elif fuel_amount < 20:
fuel_price = fuel_amount * gasoline_price
print(f"{fuel_price:.2f} lv.")
else:
fuel_price = fuel_amount * gasoline_price
fuel_price = fuel_price - (fuel_price * 0.1)
print(f"{fuel_price:.2f} lv.")
elif fuel_type == "Diesel":
if club_card == "Yes":
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * (diesel_price - 0.12)
fuel_price = fuel_price - (fuel_price * 0.08)
print(f"{fuel_price:.2f} lv.")
elif fuel_amount < 20:
fuel_price = fuel_amount * (diesel_price - 0.12)
print(f"{fuel_price:.2f} lv.")
else:
fuel_price = fuel_amount * (diesel_price - 0.12)
fuel_price = fuel_price - (fuel_price * 0.1)
print(f"{fuel_price:.2f} lv.")
elif club_card == "No":
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * diesel_price
fuel_price = fuel_price - (fuel_price * 0.08)
print(f"{fuel_price:.2f} lv.")
elif fuel_amount < 20:
fuel_price = fuel_amount * diesel_price
print(f"{fuel_price:.2f} lv.")
else:
fuel_price = fuel_amount * diesel_price
fuel_price = fuel_price - (fuel_price * 0.1)
print(f"{fuel_price:.2f} lv.")
| fuel_type = input()
fuel_amount = float(input())
club_card = input()
gasoline_price = 2.22
diesel_price = 2.33
gas_price = 0.93
if fuel_type == 'Gas':
if club_card == 'Yes':
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * (gas_price - 0.08)
fuel_price = fuel_price - fuel_price * 0.08
print(f'{fuel_price:.2f} lv.')
elif fuel_amount < 20:
fuel_price = fuel_amount * (gas_price - 0.08)
print(f'{fuel_price:.2f} lv.')
else:
fuel_price = fuel_amount * (gas_price - 0.08)
fuel_price = fuel_price - fuel_price * 0.1
print(f'{fuel_price:.2f} lv.')
elif club_card == 'No':
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * gas_price
fuel_price = fuel_price - fuel_price * 0.08
print(f'{fuel_price:.2f} lv.')
elif fuel_amount < 20:
fuel_price = fuel_amount * gas_price
print(f'{fuel_price:.2f} lv.')
else:
fuel_price = fuel_amount * gas_price
fuel_price = fuel_price - fuel_price * 0.1
print(f'{fuel_price:.2f} lv.')
elif fuel_type == 'Gasoline':
if club_card == 'Yes':
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * (gasoline_price - 0.18)
fuel_price = fuel_price - fuel_price * 0.08
print(f'{fuel_price:.2f} lv.')
elif fuel_amount < 20:
fuel_price = fuel_amount * (gasoline_price - 0.18)
print(f'{fuel_price:.2f} lv.')
else:
fuel_price = fuel_amount * (gasoline_price - 0.18)
fuel_price = fuel_price - fuel_price * 0.1
print(f'{fuel_price:.2f} lv.')
elif club_card == 'No':
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * gasoline_price
fuel_price = fuel_price - fuel_price * 0.08
print(f'{fuel_price:.2f} lv.')
elif fuel_amount < 20:
fuel_price = fuel_amount * gasoline_price
print(f'{fuel_price:.2f} lv.')
else:
fuel_price = fuel_amount * gasoline_price
fuel_price = fuel_price - fuel_price * 0.1
print(f'{fuel_price:.2f} lv.')
elif fuel_type == 'Diesel':
if club_card == 'Yes':
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * (diesel_price - 0.12)
fuel_price = fuel_price - fuel_price * 0.08
print(f'{fuel_price:.2f} lv.')
elif fuel_amount < 20:
fuel_price = fuel_amount * (diesel_price - 0.12)
print(f'{fuel_price:.2f} lv.')
else:
fuel_price = fuel_amount * (diesel_price - 0.12)
fuel_price = fuel_price - fuel_price * 0.1
print(f'{fuel_price:.2f} lv.')
elif club_card == 'No':
if 20 <= fuel_amount <= 25:
fuel_price = fuel_amount * diesel_price
fuel_price = fuel_price - fuel_price * 0.08
print(f'{fuel_price:.2f} lv.')
elif fuel_amount < 20:
fuel_price = fuel_amount * diesel_price
print(f'{fuel_price:.2f} lv.')
else:
fuel_price = fuel_amount * diesel_price
fuel_price = fuel_price - fuel_price * 0.1
print(f'{fuel_price:.2f} lv.') |
#Kunal Gautam
#Codewars : @Kunalpod
#Problem name: Complete The Pattern #6 - Odd Ladder
#Problem level: 7 kyu
def pattern(n):
return "\n".join(str(i)*i for i in range(1, n+1) if i%2)
| def pattern(n):
return '\n'.join((str(i) * i for i in range(1, n + 1) if i % 2)) |
def power_iteration(A, m0=1, u0=None, eps=1e-8, max_steps=500, verbose=False):
m = m0
u = u0
for k in range(int(max_steps)):
if verbose:
print(k, m, u)
m_prev = m
v = dot(A, u)
mi = argmax(abs(v))
m = v[mi]
u = v / m
if abs(m - m_prev) <= eps:
break
else:
raise Exception(f"cannot reach eps after max_steps."
f"The last result: m = {m}, u={u}")
return m, u, k+1 | def power_iteration(A, m0=1, u0=None, eps=1e-08, max_steps=500, verbose=False):
m = m0
u = u0
for k in range(int(max_steps)):
if verbose:
print(k, m, u)
m_prev = m
v = dot(A, u)
mi = argmax(abs(v))
m = v[mi]
u = v / m
if abs(m - m_prev) <= eps:
break
else:
raise exception(f'cannot reach eps after max_steps.The last result: m = {m}, u={u}')
return (m, u, k + 1) |
try:
pass
except:
pass
| try:
pass
except:
pass |
# Do not edit this file directly.
# It was auto-generated by: code/programs/reflexivity/reflexive_refresh
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
def freeGLUT():
http_archive(
name="FreeGLUT" ,
build_file="//bazel/deps/FreeGLUT:build.BUILD" ,
sha256="90828907ea4e30a79ce7f36c5b3e4d60039912d92ec17788fd709c955f4d0a04" ,
strip_prefix="FreeGLUT-349a23dcc1264a76deb79962d1c90462ad0c6f50" ,
urls = [
"https://github.com/Unilang/FreeGLUT/archive/349a23dcc1264a76deb79962d1c90462ad0c6f50.tar.gz",
], patches = [
"//bazel/deps/FreeGLUT/patches:p1.patch",
],
patch_args = [
"-p1",
],
)
| load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive')
def free_glut():
http_archive(name='FreeGLUT', build_file='//bazel/deps/FreeGLUT:build.BUILD', sha256='90828907ea4e30a79ce7f36c5b3e4d60039912d92ec17788fd709c955f4d0a04', strip_prefix='FreeGLUT-349a23dcc1264a76deb79962d1c90462ad0c6f50', urls=['https://github.com/Unilang/FreeGLUT/archive/349a23dcc1264a76deb79962d1c90462ad0c6f50.tar.gz'], patches=['//bazel/deps/FreeGLUT/patches:p1.patch'], patch_args=['-p1']) |
def comb(bam_file,fq_start,fq_end):
fq={}
with open(fq_start) as f:
lines = f.readlines()
for i in range(1,len(lines),4):
l = len(lines[i].strip())
name = lines[i-1].strip()[1:]
fq[name]=[str(l)]
with open(fq_end) as f:
lines = f.readlines()
for i in range(1,len(lines),4):
l = len(lines[i].strip())
name = lines[i-1].strip()[1:]
fq[name].append(str(l))
with open(bam_file) as f:
lines = f.readlines()
result=[]
for line in lines:
temp = line.strip().split()
if temp[0] in fq:
result.append(temp[0]+'\t'+temp[1]+'\t'+temp[2]+'\t'+fq[temp[0]][0]+'\t'+fq[temp[0]][1]+'\n')
with open(bam_file+'.comb','w') as f:
f.writelines(result)
if __name__=="__main__":
comb("M6G_split.bam.pos","M6G_clipped_start.fastq","M6G_clipped_end.fastq")
| def comb(bam_file, fq_start, fq_end):
fq = {}
with open(fq_start) as f:
lines = f.readlines()
for i in range(1, len(lines), 4):
l = len(lines[i].strip())
name = lines[i - 1].strip()[1:]
fq[name] = [str(l)]
with open(fq_end) as f:
lines = f.readlines()
for i in range(1, len(lines), 4):
l = len(lines[i].strip())
name = lines[i - 1].strip()[1:]
fq[name].append(str(l))
with open(bam_file) as f:
lines = f.readlines()
result = []
for line in lines:
temp = line.strip().split()
if temp[0] in fq:
result.append(temp[0] + '\t' + temp[1] + '\t' + temp[2] + '\t' + fq[temp[0]][0] + '\t' + fq[temp[0]][1] + '\n')
with open(bam_file + '.comb', 'w') as f:
f.writelines(result)
if __name__ == '__main__':
comb('M6G_split.bam.pos', 'M6G_clipped_start.fastq', 'M6G_clipped_end.fastq') |
__author__ = """
Forzend Mainer
https://github.com/0Kit/
"""
__version__ = '1.0'
| __author__ = '\n Forzend Mainer\n https://github.com/0Kit/\n'
__version__ = '1.0' |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.