blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
4
201
content_id
stringlengths
40
40
detected_licenses
listlengths
0
85
license_type
stringclasses
2 values
repo_name
stringlengths
7
100
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringclasses
260 values
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
11.4k
681M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
17 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
80 values
src_encoding
stringclasses
28 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
8
9.86M
extension
stringclasses
52 values
content
stringlengths
8
9.86M
authors
listlengths
1
1
author
stringlengths
0
119
c05c44be9080fb9e244144de846d2378d35578eb
a7caaf953a0849f6081e44382da74a600a86b3da
/opencv-2.4.9/modules/legacy/src/decomppoly.cpp
0cb10551c15b3fff614fff308f26a21f02c6f2bf
[ "Apache-2.0", "BSD-3-Clause" ]
permissive
watinha/collector
22d22116fc1dbdfeec3bddb05aa42d05efe5b5b4
fc4758f87aad99084ce4235de3e929d80c56a072
refs/heads/master
2021-12-28T11:12:50.548082
2021-08-19T20:05:20
2021-08-19T20:05:20
136,666,875
2
1
Apache-2.0
2021-04-26T16:55:02
2018-06-08T21:17:16
C++
UTF-8
C++
false
false
20,505
cpp
/*M/////////////////////////////////////////////////////////////////////////////////////// // // IMPORTANT: READ BEFORE DOWNLOADING, COPYING, INSTALLING OR USING. // // By downloading, copying, installing or using the software you agree to this license. // If you do not agree to this license, do not download, install, // copy or use the software. // // // Intel License Agreement // For Open Source Computer Vision Library // // Copyright (C) 2000, Intel Corporation, all rights reserved. // Third party copyrights are property of their respective owners. // // Redistribution and use in source and binary forms, with or without modification, // are permitted provided that the following conditions are met: // // * Redistribution's of source code must retain the above copyright notice, // this list of conditions and the following disclaimer. // // * Redistribution's in binary form must reproduce the above copyright notice, // this list of conditions and the following disclaimer in the documentation // and/or other materials provided with the distribution. // // * The name of Intel Corporation may not be used to endorse or promote products // derived from this software without specific prior written permission. // // This software is provided by the copyright holders and contributors "as is" and // any express or implied warranties, including, but not limited to, the implied // warranties of merchantability and fitness for a particular purpose are disclaimed. // In no event shall the Intel Corporation or contributors be liable for any direct, // indirect, incidental, special, exemplary, or consequential damages // (including, but not limited to, procurement of substitute goods or services; // loss of use, data, or profits; or business interruption) however caused // and on any theory of liability, whether in contract, strict liability, // or tort (including negligence or otherwise) arising in any way out of // the use of this software, even if advised of the possibility of such damage. // //M*/ #include "precomp.hpp" #if 0 #include <malloc.h> //#include "decomppoly.h" #define ZERO_CLOSE 0.00001f #define ONE_CLOSE 0.99999f #define CHECK_COLLINEARITY(vec1_x,vec1_y,vec2_x,vec2_y) \ if( vec1_x == 0 ) { \ if( vec1_y * vec2_y > 0 ) { \ return 0; \ } \ } \ else { \ if( vec1_x * vec2_x > 0 ) { \ return 0; \ } \ } // determines if edge number one lies in counterclockwise // earlier than edge number two inline int icvIsFirstEdgeClosier( int x0, int y0, int x0_end, int y0_end, int x1_end, int y1_end, int x2_end, int y2_end ) { int mult, mult1, mult2; int vec0_x, vec0_y; int vec1_x, vec1_y; int vec2_x, vec2_y; vec0_x = x0_end - x0; vec0_y = y0_end - y0; vec1_x = x1_end - x0; vec1_y = y1_end - y0; vec2_x = x2_end - x0; vec2_y = y2_end - y0; mult1 = vec1_x * vec0_y - vec0_x * vec1_y; mult2 = vec2_x * vec0_y - vec0_x * vec2_y; if( mult1 == 0 ) { CHECK_COLLINEARITY( vec0_x, vec0_y, vec1_x, vec1_y ); } if( mult2 == 0 ) { CHECK_COLLINEARITY( vec0_x, vec0_y, vec2_x, vec2_y ); } if( mult1 > 0 && mult2 < 0 ) { return 1; } if( mult1 < 0 && mult2 > 0 ) { return -1; } mult = vec1_x * vec2_y - vec2_x * vec1_y; if( mult == 0 ) { CHECK_COLLINEARITY( vec1_x, vec1_y, vec2_x, vec2_y ); } if( mult1 > 0 ) { if( mult > 0 ) { return -1; } else { return 1; } } // if( mult1 > 0 ) else { if( mult1 != 0 ) { if( mult > 0 ) { return 1; } else { return -1; } } // if( mult1 != 0 ) else { if( mult2 > 0 ) { return -1; } else { return 1; } } // if( mult1 != 0 ) else } // if( mult1 > 0 ) else } // icvIsFirstEdgeClosier bool icvEarCutTriangulation( CvPoint* contour, int num, int* outEdges, int* numEdges ) { int i; int notFoundFlag = 0; int begIndex = -1; int isInternal; int currentNum = num; int index1, index2, index3; int ix0, iy0, ix1, iy1, ix2, iy2; int x1, y1, x2, y2, x3, y3; int dx1, dy1, dx2, dy2; int* pointExist = ( int* )0; int det, det1, det2; float t1, t2; (*numEdges) = 0; if( num <= 2 ) { return false; } pointExist = ( int* )malloc( num * sizeof( int ) ); for( i = 0; i < num; i ++ ) { pointExist[i] = 1; } for( i = 0; i < num; i ++ ) { outEdges[ (*numEdges) * 2 ] = i; if( i != num - 1 ) { outEdges[ (*numEdges) * 2 + 1 ] = i + 1; } else { outEdges[ (*numEdges) * 2 + 1 ] = 0; } (*numEdges) ++; } // for( i = 0; i < num; i ++ ) // initializing data before while cycle index1 = 0; index2 = 1; index3 = 2; x1 = contour[ index1 ].x; y1 = contour[ index1 ].y; x2 = contour[ index2 ].x; y2 = contour[ index2 ].y; x3 = contour[ index3 ].x; y3 = contour[ index3 ].y; while( currentNum > 3 ) { dx1 = x2 - x1; dy1 = y2 - y1; dx2 = x3 - x2; dy2 = y3 - y2; if( dx1 * dy2 - dx2 * dy1 < 0 ) // convex condition { // checking for noncrossing edge ix1 = x3 - x1; iy1 = y3 - y1; isInternal = 1; for( i = 0; i < num; i ++ ) { if( i != num - 1 ) { ix2 = contour[ i + 1 ].x - contour[ i ].x; iy2 = contour[ i + 1 ].y - contour[ i ].y; } else { ix2 = contour[ 0 ].x - contour[ i ].x; iy2 = contour[ 0 ].y - contour[ i ].y; } ix0 = contour[ i ].x - x1; iy0 = contour[ i ].y - y1; det = ix2 * iy1 - ix1 * iy2; det1 = ix2 * iy0 - ix0 * iy2; if( det != 0.0f ) { t1 = ( ( float )( det1 ) ) / det; if( t1 > ZERO_CLOSE && t1 < ONE_CLOSE ) { det2 = ix1 * iy0 - ix0 * iy1; t2 = ( ( float )( det2 ) ) / det; if( t2 > ZERO_CLOSE && t2 < ONE_CLOSE ) { isInternal = 0; } } // if( t1 > ZERO_CLOSE && t1 < ONE_CLOSE ) } // if( det != 0.0f ) } // for( i = 0; i < (*numEdges); i ++ ) if( isInternal ) { // this edge is internal notFoundFlag = 0; outEdges[ (*numEdges) * 2 ] = index1; outEdges[ (*numEdges) * 2 + 1 ] = index3; (*numEdges) ++; pointExist[ index2 ] = 0; index2 = index3; x2 = x3; y2 = y3; currentNum --; if( currentNum >= 3 ) { do { index3 ++; if( index3 == num ) { index3 = 0; } } while( !pointExist[ index3 ] ); x3 = contour[ index3 ].x; y3 = contour[ index3 ].y; } // if( currentNum >= 3 ) } // if( isInternal ) else { // this edge intersects some other initial edges if( !notFoundFlag ) { notFoundFlag = 1; begIndex = index1; } index1 = index2; x1 = x2; y1 = y2; index2 = index3; x2 = x3; y2 = y3; do { index3 ++; if( index3 == num ) { index3 = 0; } if( index3 == begIndex ) { if( pointExist ) { free( pointExist ); } return false; } } while( !pointExist[ index3 ] ); x3 = contour[ index3 ].x; y3 = contour[ index3 ].y; } // if( isInternal ) else } // if( dx1 * dy2 - dx2 * dy1 < 0 ) else { if( !notFoundFlag ) { notFoundFlag = 1; begIndex = index1; } index1 = index2; x1 = x2; y1 = y2; index2 = index3; x2 = x3; y2 = y3; do { index3 ++; if( index3 == num ) { index3 = 0; } if( index3 == begIndex ) { if( pointExist ) { free( pointExist ); } return false; } } while( !pointExist[ index3 ] ); x3 = contour[ index3 ].x; y3 = contour[ index3 ].y; } // if( dx1 * dy2 - dx2 * dy1 < 0 ) else } // while( currentNum > 3 ) if( pointExist ) { free( pointExist ); } return true; } // icvEarCutTriangulation inline bool icvFindTwoNeighbourEdges( CvPoint* contour, int* edges, int numEdges, int vtxIdx, int mainEdgeIdx, int* leftEdgeIdx, int* rightEdgeIdx ) { int i; int compRes; int vec0_x, vec0_y; int x0, y0, x0_end, y0_end; int x1_left = 0, y1_left = 0, x1_right = 0, y1_right = 0, x2, y2; (*leftEdgeIdx) = -1; (*rightEdgeIdx) = -1; if( edges[ mainEdgeIdx * 2 ] == vtxIdx ) { x0 = contour[ vtxIdx ].x; y0 = contour[ vtxIdx ].y; x0_end = contour[ edges[ mainEdgeIdx * 2 + 1 ] ].x; y0_end = contour[ edges[ mainEdgeIdx * 2 + 1 ] ].y; vec0_x = x0_end - x0; vec0_y = y0_end - y0; } else { //x0 = contour[ edges[ mainEdgeIdx * 2 ] ].x; //y0 = contour[ edges[ mainEdgeIdx * 2 ] ].y; //x0_end = contour[ vtxIdx ].x; //y0_end = contour[ vtxIdx ].y; x0 = contour[ vtxIdx ].x; y0 = contour[ vtxIdx ].y; x0_end = contour[ edges[ mainEdgeIdx * 2 ] ].x; y0_end = contour[ edges[ mainEdgeIdx * 2 ] ].y; vec0_x = x0_end - x0; vec0_y = y0_end - y0; } for( i = 0; i < numEdges; i ++ ) { if( ( i != mainEdgeIdx ) && ( edges[ i * 2 ] == vtxIdx || edges[ i * 2 + 1 ] == vtxIdx ) ) { if( (*leftEdgeIdx) == -1 ) { (*leftEdgeIdx) = (*rightEdgeIdx) = i; if( edges[ i * 2 ] == vtxIdx ) { x1_left = x1_right = contour[ edges[ i * 2 + 1 ] ].x; y1_left = y1_right = contour[ edges[ i * 2 + 1 ] ].y; } else { x1_left = x1_right = contour[ edges[ i * 2 ] ].x; y1_left = y1_right = contour[ edges[ i * 2 ] ].y; } } // if( (*leftEdgeIdx) == -1 ) else { if( edges[ i * 2 ] == vtxIdx ) { x2 = contour[ edges[ i * 2 + 1 ] ].x; y2 = contour[ edges[ i * 2 + 1 ] ].y; } else { x2 = contour[ edges[ i * 2 ] ].x; y2 = contour[ edges[ i * 2 ] ].y; } compRes = icvIsFirstEdgeClosier( x0, y0, x0_end, y0_end, x1_left, y1_left, x2, y2 ); if( compRes == 0 ) { return false; } if( compRes == -1 ) { (*leftEdgeIdx) = i; x1_left = x2; y1_left = y2; } // if( compRes == -1 ) else { compRes = icvIsFirstEdgeClosier( x0, y0, x0_end, y0_end, x1_right, y1_right, x2, y2 ); if( compRes == 0 ) { return false; } if( compRes == 1 ) { (*rightEdgeIdx) = i; x1_right = x2; y1_right = y2; } } // if( compRes == -1 ) else } // if( (*leftEdgeIdx) == -1 ) else } // if( ( i != mainEdgesIdx ) && ... } // for( i = 0; i < numEdges; i ++ ) return true; } // icvFindTwoNeighbourEdges bool icvFindReferences( CvPoint* contour, int num, int* outEdges, int* refer, int* numEdges ) { int i; int currPntIdx; int leftEdgeIdx, rightEdgeIdx; if( icvEarCutTriangulation( contour, num, outEdges, numEdges ) ) { for( i = 0; i < (*numEdges); i ++ ) { refer[ i * 4 ] = -1; refer[ i * 4 + 1 ] = -1; refer[ i * 4 + 2 ] = -1; refer[ i * 4 + 3 ] = -1; } // for( i = 0; i < (*numEdges); i ++ ) for( i = 0; i < (*numEdges); i ++ ) { currPntIdx = outEdges[ i * 2 ]; if( !icvFindTwoNeighbourEdges( contour, outEdges, (*numEdges), currPntIdx, i, &leftEdgeIdx, &rightEdgeIdx ) ) { return false; } // if( !icvFindTwoNeighbourEdges( contour, ... else { if( outEdges[ leftEdgeIdx * 2 ] == currPntIdx ) { if( refer[ i * 4 ] == -1 ) { refer[ i * 4 ] = ( leftEdgeIdx << 2 ); } } else { if( refer[ i * 4 ] == -1 ) { refer[ i * 4 ] = ( leftEdgeIdx << 2 ) | 2; } } if( outEdges[ rightEdgeIdx * 2 ] == currPntIdx ) { if( refer[ i * 4 + 1 ] == -1 ) { refer[ i * 4 + 1 ] = ( rightEdgeIdx << 2 ) | 3; } } else { if( refer[ i * 4 + 1 ] == -1 ) { refer[ i * 4 + 1 ] = ( rightEdgeIdx << 2 ) | 1; } } } // if( !icvFindTwoNeighbourEdges( contour, ... ) else currPntIdx = outEdges[ i * 2 + 1 ]; if( i == 18 ) { i = i; } if( !icvFindTwoNeighbourEdges( contour, outEdges, (*numEdges), currPntIdx, i, &leftEdgeIdx, &rightEdgeIdx ) ) { return false; } // if( !icvFindTwoNeighbourEdges( contour, ... else { if( outEdges[ leftEdgeIdx * 2 ] == currPntIdx ) { if( refer[ i * 4 + 3 ] == -1 ) { refer[ i * 4 + 3 ] = ( leftEdgeIdx << 2 ); } } else { if( refer[ i * 4 + 3 ] == -1 ) { refer[ i * 4 + 3 ] = ( leftEdgeIdx << 2 ) | 2; } } if( outEdges[ rightEdgeIdx * 2 ] == currPntIdx ) { if( refer[ i * 4 + 2 ] == -1 ) { refer[ i * 4 + 2 ] = ( rightEdgeIdx << 2 ) | 3; } } else { if( refer[ i * 4 + 2 ] == -1 ) { refer[ i * 4 + 2 ] = ( rightEdgeIdx << 2 ) | 1; } } } // if( !icvFindTwoNeighbourEdges( contour, ... ) else } // for( i = 0; i < (*numEdges); i ++ ) } // if( icvEarCutTriangulation( contour, num, outEdges, numEdges ) ) else { return false; } // if( icvEarCutTriangulation( contour, num, outEdges, ... ) else return true; } // icvFindReferences void cvDecompPoly( CvContour* cont, CvSubdiv2D** subdiv, CvMemStorage* storage ) { int* memory; CvPoint* contour; int* outEdges; int* refer; CvSubdiv2DPoint** pntsPtrs; CvQuadEdge2D** edgesPtrs; int numVtx; int numEdges; int i; CvSeqReader reader; CvPoint2D32f pnt; CvQuadEdge2D* quadEdge; numVtx = cont -> total; if( numVtx < 3 ) { return; } *subdiv = ( CvSubdiv2D* )0; memory = ( int* )malloc( sizeof( int ) * ( numVtx * 2 + numVtx * numVtx * 2 * 5 ) + sizeof( CvQuadEdge2D* ) * ( numVtx * numVtx ) + sizeof( CvSubdiv2DPoint* ) * ( numVtx * 2 ) ); contour = ( CvPoint* )memory; outEdges = ( int* )( contour + numVtx ); refer = outEdges + numVtx * numVtx * 2; edgesPtrs = ( CvQuadEdge2D** )( refer + numVtx * numVtx * 4 ); pntsPtrs = ( CvSubdiv2DPoint** )( edgesPtrs + numVtx * numVtx ); cvStartReadSeq( ( CvSeq* )cont, &reader, 0 ); for( i = 0; i < numVtx; i ++ ) { CV_READ_SEQ_ELEM( (contour[ i ]), reader ); } // for( i = 0; i < numVtx; i ++ ) if( !icvFindReferences( contour, numVtx, outEdges, refer, &numEdges ) ) { free( memory ); return; } // if( !icvFindReferences( contour, numVtx, outEdges, refer, ... *subdiv = cvCreateSubdiv2D( CV_SEQ_KIND_SUBDIV2D, sizeof( CvSubdiv2D ), sizeof( CvSubdiv2DPoint ), sizeof( CvQuadEdge2D ), storage ); for( i = 0; i < numVtx; i ++ ) { pnt.x = ( float )contour[ i ].x; pnt.y = ( float )contour[ i ].y; pntsPtrs[ i ] = cvSubdiv2DAddPoint( *subdiv, pnt, 0 ); } // for( i = 0; i < numVtx; i ++ ) for( i = 0; i < numEdges; i ++ ) { edgesPtrs[ i ] = ( CvQuadEdge2D* ) ( cvSubdiv2DMakeEdge( *subdiv ) & 0xfffffffc ); } // for( i = 0; i < numEdges; i ++ ) for( i = 0; i < numEdges; i ++ ) { quadEdge = edgesPtrs[ i ]; quadEdge -> next[ 0 ] = ( ( CvSubdiv2DEdge )edgesPtrs[ refer[ i * 4 ] >> 2 ] ) | ( refer[ i * 4 ] & 3 ); quadEdge -> next[ 1 ] = ( ( CvSubdiv2DEdge )edgesPtrs[ refer[ i * 4 + 1 ] >> 2 ] ) | ( refer[ i * 4 + 1 ] & 3 ); quadEdge -> next[ 2 ] = ( ( CvSubdiv2DEdge )edgesPtrs[ refer[ i * 4 + 2 ] >> 2 ] ) | ( refer[ i * 4 + 2 ] & 3 ); quadEdge -> next[ 3 ] = ( ( CvSubdiv2DEdge )edgesPtrs[ refer[ i * 4 + 3 ] >> 2 ] ) | ( refer[ i * 4 + 3 ] & 3 ); quadEdge -> pt[ 0 ] = pntsPtrs[ outEdges[ i * 2 ] ]; quadEdge -> pt[ 1 ] = ( CvSubdiv2DPoint* )0; quadEdge -> pt[ 2 ] = pntsPtrs[ outEdges[ i * 2 + 1 ] ]; quadEdge -> pt[ 3 ] = ( CvSubdiv2DPoint* )0; } // for( i = 0; i < numEdges; i ++ ) (*subdiv) -> topleft.x = ( float )cont -> rect.x; (*subdiv) -> topleft.y = ( float )cont -> rect.y; (*subdiv) -> bottomright.x = ( float )( cont -> rect.x + cont -> rect.width ); (*subdiv) -> bottomright.y = ( float )( cont -> rect.y + cont -> rect.height ); free( memory ); return; } // cvDecompPoly #endif // End of file decomppoly.cpp
[ "watinha@gmail.com" ]
watinha@gmail.com
3c0936fd3bf84ad5f735cce48b486e50ff29ee23
b5c554985e2915e7aa3c3089c19c24b239abbddd
/stl/queue/queue.cpp
cc8092431afa789867e67b7171efc9faa3473656
[]
no_license
njylll/gitcppp
a03dac99d559c4ca092db4ea59056ac4dba27289
c1dd51a45fbe5f25255bda5e091e874f3a642516
refs/heads/master
2023-06-11T15:54:47.035606
2021-07-03T12:25:20
2021-07-03T12:25:20
374,607,890
0
0
null
null
null
null
UTF-8
C++
false
false
819
cpp
#include <iostream> #include <queue> #include <string> using namespace std; class Person { public: Person(string name,int age):m_Name(name),m_Age(age){} string m_Name; int m_Age; }; void test() { queue<Person>q; Person p1("唐僧",99); Person p2("zhu", 88); Person p3("shu",89); Person p4("sdas",99); q.push(p1); q.push(p2); q.push(p3); q.push(p4); while(!q.empty()) { //查看队头元素 cout << "队头元素为: " << q.front().m_Name << " " << q.front().m_Age << endl; //查看队尾元素 cout << "队尾元素为:" << q.back().m_Name << " " << q.back().m_Age << endl; q.pop(); } cout << "队列大小为" << q.size() << endl; } int main() { test(); system("pause"); return 0; }
[ "18962893126@163.com" ]
18962893126@163.com
38fa6ade0afe69d60b28354b728e4d3db711a691
e585a98e4d545f53483473c3b9b600452d5c339b
/Calculator/Calculator/Add_Expr_Node.h
382eef8cf8de73853ea84e61774137dfe9bcd594
[]
no_license
matajack/Cpp
853570f01e16c57c7e8841160a3e77b4d31c8e23
d5e0551c5371652ad74aefefc3d97ddf3c59f102
refs/heads/master
2022-11-10T06:43:54.037001
2020-06-11T03:30:36
2020-06-11T03:30:36
271,378,201
0
0
null
null
null
null
UTF-8
C++
false
false
288
h
#pragma once #include "Binary_Expr_Node.h" #include "Expr_Node_Visitor.h" class Add_Expr_Node : public Binary_Expr_Node { public: Add_Expr_Node(void); virtual ~Add_Expr_Node(void); virtual int eval() const; virtual void accept(Expr_Node_Visitor & v); friend class Eval_Expr_Tree; };
[ "matthewajackson97@gmail.com" ]
matthewajackson97@gmail.com
7e402bbac16864108555a4cded45a7e6b484dc71
0ff8c31449f2d6b3c15458ebf9dc83000b9d0a45
/src/renderer.h
54d5a1c634c2f6037f4c79324067c11cb4f30a1f
[]
no_license
michkjns/Kweek
7ab6f09a7dd8f92549f3966a606111cc3a033b4e
70cf473c4068f86e1defca8440a55e6a17404f13
refs/heads/master
2021-01-10T06:31:43.220029
2016-01-11T12:47:37
2016-01-11T12:47:37
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,530
h
#ifndef _RENDERER_H #define _RENDERER_H #include "template.h" #include "transform.h" #include <vector> #include "input.h" #define NEARPLANE 1.0f namespace Tmpl8 { class Surface; class SceneGraph; class Scene; class SceneNode; class Vertex { public: Vertex() { pos = float3(0,0,0), uv = float2(0,0), onseam = 0;}; Vertex(float _x, float _y, float _z, float _u, float _v) : pos(_x, _y, _z), uv( _u, _v ), onseam(0) {} ~Vertex() {} int onseam; float3 pos; float3 normal; float2 uv; }; struct Tri { int m_vertices[4]; float3 normal; }; struct Poly { unsigned int count; Vertex** data; }; class SubMesh { public: SubMesh(); SubMesh( const SubMesh& other ); SubMesh& SubMesh::operator= (const SubMesh& other); ~SubMesh(); unsigned short m_material; unsigned short m_triSize; Tri* m_triangles; }; struct aabb { public: float3 min, max; }; class Mesh { public: Mesh(); ~Mesh(); void Render( matrix &matrix, int frame, float interp ); bool Animate(int start, int end, int *frame, float *interp, float dt, bool reverse); void GenerateAABB(); void Scale( float s ); unsigned short m_vertSize; unsigned short m_subCount; unsigned int m_frames; Vertex** m_vertData; Vertex* m_vertDataTransf; SubMesh* m_subMeshes; aabb m_box; }; struct Plane { float3 N; float d; }; class Renderer { public: Renderer(); ~Renderer(); void Init( Surface* surface ); void DrawPoly( Vertex* verts, SubMesh* mesh, int count ); void Render(); void ClearSceneGraph(); unsigned int ClipAgainstPlane( const Plane& plane, Vertex* result, uint count ); unsigned int TwoDClipping( const Plane& plane, Vertex* result, uint count); Mesh* LoadObj( const char* file, float scale ); Mesh* LoadMDL( const char* file, float3 offset = float3(0,0,0), float scale = 1); Mesh* CreateCube(); Mesh* primCube; SceneGraph* GetSG() { return m_sceneGraph; } Plane zNear, pTop, pLeft, pBottom, pRight; Scene* m_scene; Vertex m_vertDataClipped[8]; static Renderer* Instance; static bool s_backfaceCulling; static bool s_wireframe; static bool s_enableAnimations; static bool s_drawAABBs; unsigned int fov; private: Surface* m_surface; SceneGraph* m_sceneGraph; float xmin[SCRHEIGHT]; float xmax[SCRHEIGHT]; float zmin[SCRHEIGHT]; float zmax[SCRHEIGHT]; float umin[SCRHEIGHT]; float umax[SCRHEIGHT]; float vmin[SCRHEIGHT]; float vmax[SCRHEIGHT]; float zbuffer[SCRWIDTH * SCRHEIGHT]; }; }; #endif
[ "michkjn@gmail.com" ]
michkjn@gmail.com
c94573d0533e4c61cda7cbc2228b190f1f5d3b5b
d8eb2c9890c40f3efb972236259b47ff7945c355
/5. Miscellaneous/LeetCode/900-999/905. Sort Array By Parity.cpp
3248072d99c93456f50f75d48d08e1aa3675b8fe
[ "MIT" ]
permissive
JustinSDE/Algorithms
c2a6ac84a9732cdc19f0f2f6a4e50d88567dfdaa
332b04db7c8038997d4992fb27630d394deedece
refs/heads/master
2020-05-18T05:06:14.876361
2019-01-25T15:05:28
2019-01-25T15:05:28
null
0
0
null
null
null
null
UTF-8
C++
false
false
315
cpp
class Solution { public: vector<int> sortArrayByParity(vector<int> &A) { int slow = 0, fast = 0; while (fast < A.size()) { if (A[fast] % 2 == 0) { swap(A[fast], A[slow]); slow++; } fast++; } return A; } };
[ "hinderking@126.com" ]
hinderking@126.com
838ce90314d012e581f3ca8487f98ed88eda441e
5f5c557d53c2975ce09e5ce34060b5e42f7b2c90
/include/fc/git_revision.hpp
6232f3c3c5674cdc4ae675540ff9c20779d664eb
[ "MIT" ]
permissive
Achain-Dev/Achain_linux
c27b8c1ea0ae6b9c8db9b8d686849af07d7c255b
8c6daad526c84fa513f119206e45f62eb68b8a86
refs/heads/master
2022-04-10T23:25:12.234124
2020-03-29T12:07:39
2020-03-29T12:07:39
108,964,152
27
25
MIT
2018-03-28T08:33:18
2017-10-31T08:06:09
C++
UTF-8
C++
false
false
167
hpp
#pragma once #include <stdint.h> namespace fc { extern const char* const git_revision_sha; extern const uint32_t git_revision_unix_timestamp; } // end namespace fc
[ "lipu@new4g.cn" ]
lipu@new4g.cn
431516d528a6ddead69c76140b952bb6b692003e
43de8c881430f53802514f0051fbe42047c5fda1
/src/phonebook/Reader.h
34809226d08f433d8ce2d9cebbd7921b716bd230
[ "ISC" ]
permissive
DavidArutiunian/algorithms
15845b89de941e7c8cd5a56b0e08c450fc7cb461
b0c9a52edb6fda3022e1a2c4e68b077fe4c0f14f
refs/heads/master
2021-08-29T17:54:53.064754
2019-06-08T13:54:46
2019-06-08T13:54:46
148,915,695
1
0
ISC
2021-08-11T02:21:20
2018-09-15T15:43:34
C++
UTF-8
C++
false
false
219
h
#ifndef ALGORITHMS_READER_H #define ALGORITHMS_READER_H template <typename T> class Reader { protected: T mContent; public: virtual T get() = 0; virtual void clear() = 0; }; #endif //ALGORITHMS_READER_H
[ "arutunjan666@mail.com" ]
arutunjan666@mail.com
6f9ed2815014bd8d6efed2778c7a15b8e891ef9f
38c10c01007624cd2056884f25e0d6ab85442194
/chrome/browser/sessions/tab_loader.h
11c7dbd8d3a8ef01c35a1bb1d679a759c034a6e7
[ "BSD-3-Clause" ]
permissive
zenoalbisser/chromium
6ecf37b6c030c84f1b26282bc4ef95769c62a9b2
e71f21b9b4b9b839f5093301974a45545dad2691
refs/heads/master
2022-12-25T14:23:18.568575
2016-07-14T21:49:52
2016-07-23T08:02:51
63,980,627
0
2
BSD-3-Clause
2022-12-12T12:43:41
2016-07-22T20:14:04
null
UTF-8
C++
false
false
5,694
h
// Copyright 2015 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef CHROME_BROWSER_SESSIONS_TAB_LOADER_H_ #define CHROME_BROWSER_SESSIONS_TAB_LOADER_H_ #include <list> #include <set> #include "base/memory/memory_pressure_listener.h" #include "base/memory/scoped_ptr.h" #include "base/timer/timer.h" #include "chrome/browser/sessions/session_restore_delegate.h" #include "chrome/browser/sessions/tab_loader_delegate.h" #include "content/public/browser/notification_observer.h" #include "content/public/browser/notification_registrar.h" namespace content { class NavigationController; class RenderWidgetHost; } class SessionRestoreStatsCollector; // TabLoader is responsible for loading tabs after session restore has finished // creating all the tabs. Tabs are loaded after a previously tab finishes // loading or a timeout is reached. If the timeout is reached before a tab // finishes loading the timeout delay is doubled. // // TabLoader keeps a reference to itself when it's loading. When it has finished // loading, it drops the reference. If another profile is restored while the // TabLoader is loading, it will schedule its tabs to get loaded by the same // TabLoader. When doing the scheduling, it holds a reference to the TabLoader. // // This is not part of SessionRestoreImpl so that synchronous destruction // of SessionRestoreImpl doesn't have timing problems. class TabLoader : public content::NotificationObserver, public base::RefCounted<TabLoader>, public TabLoaderCallback { public: using RestoredTab = SessionRestoreDelegate::RestoredTab; // NotificationObserver method. Removes the specified tab and loads the next // tab. void Observe(int type, const content::NotificationSource& source, const content::NotificationDetails& details) override; // TabLoaderCallback: void SetTabLoadingEnabled(bool enable_tab_loading) override; // Called to start restoring tabs. static void RestoreTabs(const std::vector<RestoredTab>& tabs_, const base::TimeTicks& restore_started); private: friend class base::RefCounted<TabLoader>; using TabsLoading = std::set<content::NavigationController*>; using TabsToLoad = std::list<content::NavigationController*>; explicit TabLoader(base::TimeTicks restore_started); ~TabLoader() override; // This is invoked once by RestoreTabs to start loading. void StartLoading(const std::vector<RestoredTab>& tabs); // Loads the next tab. If there are no more tabs to load this deletes itself, // otherwise |force_load_timer_| is restarted. void LoadNextTab(); // Starts |force_load_timer_| to load the first non-visible tab if the timer // expires before a visible tab has finished loading. This uses the same // timer but a different timeout value than StartTimer. void StartFirstTimer(); // Starts |force_load_timer_| to load the next tab if the timer expires // before the current tab loading is finished. This uses the same timer but a // different timeout value than StartFirstTimer. void StartTimer(); // Removes the listeners from the specified tab and removes the tab from // the set of tabs to load and list of tabs we're waiting to get a load // from. void RemoveTab(content::NavigationController* controller); // Invoked from |force_load_timer_|. Doubles |force_load_delay_multiplier_| // and invokes |LoadNextTab| to load the next tab void ForceLoadTimerFired(); // Returns the RenderWidgetHost associated with a tab if there is one, // NULL otherwise. static content::RenderWidgetHost* GetRenderWidgetHost( content::NavigationController* controller); // Register for necessary notifications on a tab navigation controller. void RegisterForNotifications(content::NavigationController* controller); // Called when a tab goes away or a load completes. void HandleTabClosedOrLoaded(content::NavigationController* controller); // Convenience function returning the current memory pressure level. base::MemoryPressureListener::MemoryPressureLevel CurrentMemoryPressureLevel(); // React to memory pressure by stopping to load any more tabs. void OnMemoryPressure( base::MemoryPressureListener::MemoryPressureLevel memory_pressure_level); scoped_ptr<TabLoaderDelegate> delegate_; // Listens for system under memory pressure notifications and stops loading // of tabs when we start running out of memory. base::MemoryPressureListener memory_pressure_listener_; content::NotificationRegistrar registrar_; // The delay timer multiplier. See class description for details. size_t force_load_delay_multiplier_; // True if the tab loading is enabled. bool loading_enabled_; // The set of tabs we've initiated loading on. This does NOT include the // selected tabs. TabsLoading tabs_loading_; // The tabs we need to load. TabsToLoad tabs_to_load_; base::OneShotTimer force_load_timer_; // The time the restore process started. base::TimeTicks restore_started_; // For keeping TabLoader alive while it's loading even if no // SessionRestoreImpls reference it. scoped_refptr<TabLoader> this_retainer_; // The SessionRestoreStatsCollector associated with this TabLoader. This is // explicitly referenced so that it can be notified of deferred tab loads due // to memory pressure. scoped_refptr<SessionRestoreStatsCollector> stats_collector_; static TabLoader* shared_tab_loader_; DISALLOW_COPY_AND_ASSIGN(TabLoader); }; #endif // CHROME_BROWSER_SESSIONS_TAB_LOADER_H_
[ "zeno.albisser@hemispherian.com" ]
zeno.albisser@hemispherian.com
c42906f2e36419b10a3e2ad029184891b73c01cb
b9b5a0da25392ab287803c6599120654185b7925
/문제18) 층간소음.cpp
cfaabdfa7435727951ebb24ac6cd519e0bfaf49b
[]
no_license
jyok0120/algorithm_inflearn
86b41b02806d3e1cf47eb967035dac9c2277591d
d85f58a0865cc093872e9e70b521d99428dfee53
refs/heads/master
2023-03-09T12:40:46.654470
2021-02-14T17:04:38
2021-02-14T17:04:38
336,522,391
1
0
null
null
null
null
UTF-8
C++
false
false
479
cpp
#include <iostream> using namespace std; int main(){ int N, M; cin >> N >>M; int data[N]; for(int i = 0 ; i < N ; i++) cin >> data[i]; int cnt = 0, ans = cnt; for(int i = 0 ; i < N ; i++) { if(data[i] > M) cnt++; else { if( ans < cnt) ans = cnt; cnt = 0; } } if( ans < cnt) ans = cnt; cnt = 0; cout << ans; //-1 출력 처리 안한거 같은데 }
[ "jyok0120@gmail.com" ]
jyok0120@gmail.com
b09dd3be4ea07c922bd44e44aab3a8c2819ac49d
319f8a258660eb7f8ed7f3fdfaca522f8016d52b
/FindPassword.h
f46951bee8bcfb27bace4b01d1dc6f7213dbed41
[]
no_license
17dx/7zip
48255d09f889d81a4afcba9df21830f4adfc962f
674d70b58c337d2b10a5aa388cdd9abafd3c10cb
refs/heads/master
2021-01-01T17:53:29.113997
2017-07-24T13:04:08
2017-07-24T13:04:08
98,188,420
1
0
null
null
null
null
UTF-8
C++
false
false
2,792
h
#ifndef ARHIVE7ZIP_H #define ARHIVE7ZIP_H #include <string> #include <exception> //для exception #include "windows.h" #include "GenPassword.h" using std::string; class ex_error_load_7zdll : public std::exception{}; class ex_error_load_Unzip_from_7zdll : public std::exception{}; class ex_error_load_OpenArhive_from_7zdll : public std::exception{}; class ex_logical_error_ArhiveNotOpen_in_7zdll : public std::exception{}; class ex_error_Word_not_found: public std::exception{}; class ex_error_Word_not_running: public std::exception{}; class ex_error_Word_not_get_propperty: public std::exception{}; class ex_error_Word_not_property_Quit: public std::exception{}; /* * * * класс для работы с архиватором 7 zip * * * */ const int SUCCESS_UNZIP=1; const int NOT_SUCCESS_UNZIP=0; const int ERROR_ARHIVE_NOT_OPEN=2; typedef int (__stdcall *FUnzip)( const char * , const char *); typedef void (__stdcall *FOpenArhive)( const char * ); struct SInvokeOpenInfo{ DISPID dispid[3]; DISPPARAMS dp; EXCEPINFO excepInfo; UINT uArgErr; // индекс аргумента структуры DISPPARAMS,вызвавшего ошибку }; class CFindPassword { public: string truePassword; bool workFinished; CFindPassword( bool verbose_); virtual bool PasswordIsTrue(SPasswordInfo& passwordInfo)=0; bool DoFind(CAbstractGenPassword& genPassword); virtual ~CFindPassword(); bool FindOK(); CRITICAL_SECTION printStdOut; protected: bool verbose; bool findOK; }; class CArhiveConsole7z:public CFindPassword { public: CArhiveConsole7z( string& pArhiveName,string& path7zip_,bool verbose_); virtual bool PasswordIsTrue(SPasswordInfo& passwordInfo); protected: string path7zip; string arhiveName; string textout ; string sFind ; }; class CArhiveWith_Dll7z :public CFindPassword{ public: CArhiveWith_Dll7z( string& pArhiveName,bool verbose_); bool PasswordIsTrue(SPasswordInfo& passwordInfo); ~CArhiveWith_Dll7z(); private: string arhiveName; FUnzip fUnzip; HINSTANCE hDllInstance ; }; class CUserLogon :public CFindPassword{ public: CUserLogon( string& pUserName,bool verbose_); bool PasswordIsTrue(SPasswordInfo& passwordInfo); private: const char * userName; }; class CMSWord :public CFindPassword{ public: CMSWord( string& pDocName,bool verbose_); bool PasswordIsTrue(SPasswordInfo& passwordInfo); ~CMSWord(); protected: bool IsCreateWord; const char * docName; IDispatch * pWordApp; IDispatch * pDocuments ; SInvokeOpenInfo invokeOpenInfo ; IDispatch * PropertyGet(IDispatch * dispObj,LPOLESTR nameProperty); //IDispatch * GetObject(IDispatch * Obj, std::wstring pathToObj); void Word_Quit(); void InitObjWord_ForInvokeOpen() ; void ConnectToWord(); }; #endif // ARHIVE7ZIP_H
[ "power_words@mail.ru" ]
power_words@mail.ru
ce3597a4967c05dcb272bda830ae5b48d911bf55
195bcce790744a805c14e4300cfe5c7117a25bd2
/oop_exercise_06/TStackItem.cpp
050dfca287ffc05cdde9a1c44b1267df272ab101
[]
no_license
kwk18/OOP
79516e9c5e21ac42efe725d7293b5f6c4d1f7a87
409d3203b573637b34b7c325ec8363cf14f28f1a
refs/heads/master
2022-07-16T16:43:43.901081
2020-05-19T14:45:43
2020-05-19T14:45:43
257,073,630
0
0
null
null
null
null
UTF-8
C++
false
false
554
cpp
#include "TStackItem.h" #include <iostream> TStackItem::TStackItem(const std::shared_ptr<TBinTreeItem<Figure>> &item) { this->item = item; this->next = nullptr; } std::shared_ptr<TStackItem> TStackItem::SetNext(std::shared_ptr<TStackItem> &next) { std::shared_ptr<TStackItem> old = this->next; this->next = next; return old; } std::shared_ptr<TBinTreeItem<Figure>> TStackItem::GetFigure() const { return this->item; } std::shared_ptr<TStackItem> TStackItem::GetNext() { return this->next; } TStackItem::~TStackItem() { }
[ "noreply@github.com" ]
noreply@github.com
e0a3275a690e298b758d57dd429cfe82fff9ec68
9452341b3252759e1a9133b5e4676993e27f4dd8
/RayleighBenard/NSeqns/nonUniformSigma/init_0/theta.buoyant
02c474417ed8427a77411294079a62ad7bdf9ace
[]
no_license
AtmosFOAM/hilaryRun
8af184499fe2001acb659dcd8b82920c50a76dc0
6eb682dbc9498e529d690bcb4a7b9cad179e8ea4
refs/heads/master
2023-09-04T07:33:52.157194
2023-09-01T07:38:11
2023-09-01T07:38:11
113,987,213
0
0
null
null
null
null
UTF-8
C++
false
false
1,221
buoyant
/*--------------------------------*- C++ -*----------------------------------*\ | ========= | | | \\ / F ield | OpenFOAM: The Open Source CFD Toolbox | | \\ / O peration | Version: dev | | \\ / A nd | Web: www.OpenFOAM.org | | \\/ M anipulation | | \*---------------------------------------------------------------------------*/ FoamFile { version 2.0; format ascii; class volScalarField; location "constant"; object theta; } // * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * // dimensions [0 0 0 1 0 0 0]; internalField uniform 300; boundaryField { ground { type fixedUniformInternalValue; value uniform 330; } top { type zeroGradient; } left { type cyclic; } right { type cyclic; } } // ************************************************************************* //
[ "h.weller@reading.ac.uk" ]
h.weller@reading.ac.uk
3f47e7dceebec7bb817da175c7fe6b61bbd60666
5809b53fc9920f0cce03d3352b3aae87a7412e3c
/programacion_3/arboles/arbol binario de busqueda/main.cpp
466ca4c9ac35e260116d77912084c93598f3f8d7
[]
no_license
valbornoz/PRs_ULA
504e2b87c82c60c2ff188a3a11c08cc57c7e544d
f57fa9c213ad5b5de4febd428962736625664ef9
refs/heads/master
2022-11-14T15:00:44.826471
2020-06-22T19:10:43
2020-06-22T19:10:43
274,209,485
0
0
null
null
null
null
UTF-8
C++
false
false
1,757
cpp
#include <iostream> #include "binNode.h" #include "binTree.h" #include "binBusTree.h" using namespace std; void imprime(BinNode<int>* aux,int level,int pos){ cout<<" Clave "<<KEY(aux)<<" Pos "<<pos<<endl; } int main() { int preorden[8]={5,8,4,6,3,9,2,1}; int inorden[8]={6,4,8,3,5,2,9,1}; BinTree<int> prueba; BinBusTree<int> pruebaAux; int pos; BinNode<int> node; BinNode<int>* nodeAux; node.setKey(10); nodeAux=new BinNode<int>(20); cout<<" Nodo "<<node.getKey()<<endl; cout<<" Nodo Aux "<<KEY(nodeAux)<<endl; cout<<" "<<endl; prueba.buildBinTree(preorden,0,7,inorden,0,7); cout<<" "<<endl; cout<<" PREORDEN "<<endl; pos=prueba.preorden(imprime); cout<<" "<<endl; cout<<" INORDEN "<<endl; pos=prueba.inordenNRec(imprime); cout<<" "<<endl; cout<<" INORDEN REC"<<endl; pos=prueba.inorden(imprime); cout<<" "<<endl; cout<<" POSTORDEN "<<endl; pos=prueba.postorden(imprime); pos=prueba.cardinal(); cout<<" "<<endl; cout<<" Cardinalidad del arbol es = "<<pos<<endl; cout<<" "<<endl; cout<<" Altura del arbol es = "<<prueba.h()<<endl; pos=5; cout<<" BINARIO DE BUSQUEDA "<<endl; nodeAux=pruebaAux.searchABB(pos); if (nodeAux!=NULL) cout<<" encontro "<<KEY(nodeAux)<<endl; else cout<<" NO encontro "<<endl; int i=0; while (i<8){ nodeAux=new BinNode<int>(preorden[i]); cout<<" Nodo a insertar "<<KEY(nodeAux)<<endl; if (pruebaAux.insertABB(nodeAux)) cout<<"Inserto "<<KEY(nodeAux)<<endl; i++; } cout<<" "<<endl; cout<<" INORDEN REC"<<endl; pos=pruebaAux.inorden(imprime); cout<<" "<<endl; return 0; }
[ "albornoz1995@gmail.com" ]
albornoz1995@gmail.com
d7201defb73b1f6dea14196c1103991c9afe7f5f
d9a3f5a2065c56cdefeeaed9a417d3f73ff7a395
/Homework/HW5/HW5_4/Inventory.h
bf97a6a1f6690d74f3b38177f5c8f70ff608dc05
[]
no_license
iiSmiley/CIS-17A
f7c0bdb7a0a7d1f8c0cbc86d13ed5d129364de19
403ec07ced79f25095c600acb850d7f3fabce5ee
refs/heads/master
2022-04-10T16:47:41.312539
2020-03-09T20:35:42
2020-03-09T20:35:42
246,137,484
0
0
null
null
null
null
UTF-8
C++
false
false
563
h
#ifndef INVENTORY_H #define INVENTORY_H using namespace std; #include <iostream> #include <iomanip> #include <cctype> #include <cstring> class Inventory { private: int itemNumber; int quantity; double cost; double totalCost; public: Inventory(); Inventory(int,int,double); void setItemNumber(int); void setQuantity(int); void setCost(double); void setTotalCost(int, double); int getItemNumber(); int getQuantity(); double getCost(); double getTotalCost(); void output(); }; #endif /* INVENTORY_H */
[ "smileyheart02gmail.com" ]
smileyheart02gmail.com
5f5184b202a94244b79bbecb5047180986004ae6
09035f75bb5ca0ce361023b061fb2c25090b1ca8
/gdal/ogr/ogrsf_frmts/svg/ogr_svg.h
d3722464871cf8268b4f78ea16bdeec4baaab3db
[ "LicenseRef-scancode-info-zip-2005-02", "LicenseRef-scancode-warranty-disclaimer", "MIT", "LicenseRef-scancode-public-domain" ]
permissive
aashish24/gdal-cmake
321f560f9af42dd3c03c614865578bb661b2f925
d00996ea017ce9c574d77dfa417f21ce70e8428e
refs/heads/master
2020-12-24T17:55:05.040674
2011-11-13T21:46:07
2011-11-13T21:46:07
2,739,580
3
1
null
null
null
null
UTF-8
C++
false
false
6,126
h
/****************************************************************************** * $Id$ * * Project: SVG Translator * Purpose: Definition of classes for OGR .svg driver. * Author: Even Rouault, even dot rouault at mines dash paris dot org * ****************************************************************************** * Copyright (c) 2011, Even Rouault * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the "Software"), * to deal in the Software without restriction, including without limitation * the rights to use, copy, modify, merge, publish, distribute, sublicense, * and/or sell copies of the Software, and to permit persons to whom the * Software is furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included * in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS * OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL * THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER * DEALINGS IN THE SOFTWARE. ****************************************************************************/ #ifndef _OGR_SVG_H_INCLUDED #define _OGR_SVG_H_INCLUDED #include "ogrsf_frmts.h" #ifdef HAVE_EXPAT #include "ogr_expat.h" #endif class OGRSVGDataSource; typedef enum { SVG_POINTS, SVG_LINES, SVG_POLYGONS, } SVGGeometryType; /************************************************************************/ /* OGRSVGLayer */ /************************************************************************/ class OGRSVGLayer : public OGRLayer { OGRFeatureDefn* poFeatureDefn; OGRSpatialReference *poSRS; OGRSVGDataSource* poDS; CPLString osLayerName; SVGGeometryType svgGeomType; int nTotalFeatures; int nNextFID; VSILFILE* fpSVG; /* Large file API */ #ifdef HAVE_EXPAT XML_Parser oParser; XML_Parser oSchemaParser; #endif char* pszSubElementValue; int nSubElementValueLen; int iCurrentField; OGRFeature* poFeature; OGRFeature ** ppoFeatureTab; int nFeatureTabLength; int nFeatureTabIndex; int depthLevel; int interestingDepthLevel; int inInterestingElement; int bStopParsing; int nWithoutEventCounter; int nDataHandlerCounter; OGRSVGLayer *poCurLayer; private: void LoadSchema(); public: OGRSVGLayer(const char *pszFilename, const char* layerName, SVGGeometryType svgGeomType, OGRSVGDataSource* poDS); ~OGRSVGLayer(); virtual void ResetReading(); virtual OGRFeature * GetNextFeature(); virtual const char* GetName() { return osLayerName.c_str(); } virtual OGRwkbGeometryType GetGeomType(); virtual int GetFeatureCount( int bForce = TRUE ); virtual OGRFeatureDefn * GetLayerDefn(); virtual int TestCapability( const char * ); virtual OGRSpatialReference*GetSpatialRef(); #ifdef HAVE_EXPAT void startElementCbk(const char *pszName, const char **ppszAttr); void endElementCbk(const char *pszName); void dataHandlerCbk(const char *data, int nLen); void startElementLoadSchemaCbk(const char *pszName, const char **ppszAttr); void endElementLoadSchemaCbk(const char *pszName); void dataHandlerLoadSchemaCbk(const char *data, int nLen); #endif }; /************************************************************************/ /* OGRSVGDataSource */ /************************************************************************/ typedef enum { SVG_VALIDITY_UNKNOWN, SVG_VALIDITY_INVALID, SVG_VALIDITY_VALID } OGRSVGValidity; class OGRSVGDataSource : public OGRDataSource { char* pszName; OGRSVGLayer** papoLayers; int nLayers; OGRSVGValidity eValidity; int bIsCloudmade; #ifdef HAVE_EXPAT XML_Parser oCurrentParser; int nDataHandlerCounter; #endif public: OGRSVGDataSource(); ~OGRSVGDataSource(); int Open( const char * pszFilename, int bUpdate ); virtual const char* GetName() { return pszName; } virtual int GetLayerCount() { return nLayers; } virtual OGRLayer* GetLayer( int ); virtual int TestCapability( const char * ); #ifdef HAVE_EXPAT void startElementValidateCbk(const char *pszName, const char **ppszAttr); void dataHandlerValidateCbk(const char *data, int nLen); #endif }; /************************************************************************/ /* OGRSVGDriver */ /************************************************************************/ class OGRSVGDriver : public OGRSFDriver { public: ~OGRSVGDriver(); const char* GetName(); OGRDataSource* Open( const char *, int ); virtual int TestCapability( const char * ); }; #endif /* ndef _OGR_SVG_H_INCLUDED */
[ "rouault@f0d54148-0727-0410-94bb-9a71ac55c965" ]
rouault@f0d54148-0727-0410-94bb-9a71ac55c965
fbf37108556d083fe5aac5bed8320829b1d3951c
ccb6d2726b7522af43004875e2e233bc1088774a
/carma/szaarrayutils/net_monitor.cc
b55b673ae5c0bed952f1e791c90758598b5c8f9e
[ "FSFUL" ]
permissive
mpound/carma
a9ab28ed45b3114972d3f72bcc522c0010e80b42
9e317271eec071c1a53dca8b11af31320f69417b
refs/heads/master
2020-06-01T11:43:47.397953
2019-06-07T15:05:57
2019-06-07T15:05:57
190,763,870
2
0
null
null
null
null
UTF-8
C++
false
false
19,117
cc
#include <stdlib.h> #include <string.h> #include <sys/time.h> #include <sys/types.h> #include <sys/socket.h> #include <netinet/in.h> #include <arpa/inet.h> #include <sys/ioctl.h> #include <unistd.h> #include "carma/szaarrayutils/monitor.h" #include "carma/szaarrayutils/lprintf.h" #include "carma/szaarrayutils/szaregs.h" #include "carma/szaarrayutils/arraytemplate.h" #include "carma/szaarrayutils/monitor_stream.h" #include "carma/szaarrayutils/netbuf.h" #include "carma/szaarrayutils/tcpip.h" #include "carma/szautil/SzaPorts.h" #include "carma/szaarrayutils/monitor.h" using namespace sza::array; typedef struct { char *host; /* The address of the control-program host */ NetReadStr *nrs; /* The network input stream */ NetSendStr *nss; /* The network output stream */ int fd; /* The TCP/IP socket of the connection */ RegMap *regmap; /* The register map of the control program */ ArrayMap *arraymap; /* The array map of the control program */ } NetMonitor; static NetMonitor *new_NetMonitor(char *host); static NetMonitor *del_NetMonitor(NetMonitor *nm); static MS_DESTRUCTOR(nm_destructor); static MS_READ_FRAME(nm_read_frame); static MS_SEND_MSG(nm_send_msg); static MS_QUEUE_REGSET(nm_queue_regset); static MS_QUEUE_INTERVAL(nm_queue_interval); static MS_SELECT_FD(nm_select_fd); static MS_ARRAYMAP(nm_arraymap); static int open_NetMonitorStream(MonitorStream *ms, char *host); static MsReadState nm_read_msg(NetMonitor *nm, int dowait); static int nm_read_sizes(NetMonitor *nm, NetReadStr *nrs, long *nrs_size, long *nss_size); static ArrayMap *nm_read_ArrayMap(NetMonitor *nm, NetReadStr *nrs); /*....................................................................... * Connect a given MonitorStream iterator to the SZA control program via * TCP/IP. * * Input: * ms MonitorStream * The stream iterator to be connected. * host char * The IP name or address of the control-computer. * Output: * return int 0 - OK. * 1 - Error. */ static int open_NetMonitorStream(MonitorStream *ms, char *host) { NetMonitor *nm; /* The network context of the iterator */ /* * Check arguments. */ if(!ms || !host) { lprintf(stderr, "open_NetMonitorStream: NULL argument.\n"); return 1; }; /* * Attempt to open the TCP/IP channel. */ nm = new_NetMonitor(host); if(!nm) return 1; /* * Assign the channel to the generic monitor-stream iterator. */ return open_MonitorStream(ms, (void *) nm, nm_destructor, nm_read_frame, nm_send_msg, nm_queue_regset, nm_queue_interval, 0, nm_select_fd, nm_arraymap, false); } /*....................................................................... * Return a new monitor stream that has been connected to the SZA * control program. * * Input: * host char * The IP name or address of the control-computer. * Output: * return MonitorStream * The connected monitor stream iterator, or * NULL on error. */ MonitorStream *new_NetMonitorStream(char *host) { MonitorStream *ms = new_MonitorStream(false); if(!ms || open_NetMonitorStream(ms, host)) return del_MonitorStream(ms); return ms; } /*....................................................................... * This is a wrapper around del_NetMonitor() which deletes a NetMonitor * object via the (void *) alias used by MonitorStream objects. * * Input: * context void * The NetMonitor object to be deleted, cast * to (void *). * Output: * return void * The deleted context (always NULL). */ static MS_DESTRUCTOR(nm_destructor) { return (void *) del_NetMonitor((NetMonitor *)context); } /*....................................................................... * Create the context of a TCP/IP monitor-stream iterator. This is * designed for use in receiving "real-time" monitor data from the * SZA control program. * * Input: * host char * The name or address of the control-computer. * Output: * return NetMonitor * The new network monitor object, or NULL on * error. */ static NetMonitor *new_NetMonitor(char *host) { NetMonitor *nm; /* The object to be returned */ long nrs_size; /* The size of the network input buffer */ long nss_size; /* The size of the network output buffer */ /* * Allocate the container. */ nm = (NetMonitor *) malloc(sizeof(NetMonitor)); if(!nm) { lprintf(stderr, "new_NetMonitor: Insufficient memory.\n"); return NULL; }; /* * Initialize the container at least up to the point at which it is * safe to call del_NetMonitor(). */ nm->host = NULL; nm->nrs = NULL; nm->nss = NULL; nm->regmap = NULL; nm->arraymap = NULL; nm->fd = -1; /* * Make a copy of the host address. */ nm->host = (char *) malloc(strlen(host) + 1); if(!nm->host) { lprintf(stderr, "new_NetMonitor: Insufficient to record host name.\n"); return del_NetMonitor(nm); }; strcpy(nm->host, host); /* * Attempt to contact the control program at the specified host. */ nm->fd = tcp_connect(nm->host, CP_MONITOR_PORT, 1); if(nm->fd < 0) return del_NetMonitor(nm); /* * Allocate a temporary network read stream to use solely to read * the required sizes of the final read and send streams. */ nm->nrs = new_NetReadStr(nm->fd, 100); if(!nm->nrs) return del_NetMonitor(nm); /* * Read the required sizes of the input and output stream buffers * from the control program. */ if(nm_read_sizes(nm, nm->nrs, &nrs_size, &nss_size)) return del_NetMonitor(nm); /* * Discard the temporary network-input iterator. */ nm->nrs = del_NetReadStr(nm->nrs); /* * Allocate network iterators with the buffer sizes that were * read from the control program. */ nm->nrs = new_NetReadStr(nm->fd, nrs_size); if(!nm->nrs) return del_NetMonitor(nm); nm->nss = new_NetSendStr(nm->fd, nss_size); if(!nm->nss) return del_NetMonitor(nm); // Read the array map from the control program. nm->arraymap = nm_read_ArrayMap(nm, nm->nrs); if(!nm->arraymap) return del_NetMonitor(nm); // A kludge while I'm modifying this code. nm->regmap = nm->arraymap->regmaps[0]->regmap; return nm; } /*....................................................................... * Delete a network monitor object. * * Input: * nm NetMonitor * The object to be deleted. * Output: * return NetMonitor * The deleted object (always NULL). */ static NetMonitor *del_NetMonitor(NetMonitor *nm) { if(nm) { if(nm->host) free(nm->host); nm->nrs = del_NetReadStr(nm->nrs); nm->nss = del_NetSendStr(nm->nss); if(nm->fd >= 0) { shutdown(nm->fd, 2); close(nm->fd); }; nm->arraymap = del_ArrayMap(nm->arraymap); free(nm); }; return NULL; } /*....................................................................... * This is a private function of new_NetMonitor(). It reads the * greeting message sent by the control program, which contains the * required sizes of the network read and write buffers. * * Input: * nm NetMonitor * The network monitor object. * nrs NetReadStr * The input stream to use to read the message. * Input/Output: * nrs_size long * The size required for the network input stream * will be recorded in *nrs_size. * nss_size long * The size required for the network output stream * will be recorded in *nss_size. * Output: * return int 0 - OK. * 1 - Error. */ static int nm_read_sizes(NetMonitor *nm, NetReadStr *nrs, long *nrs_size, long *nss_size) { int opcode; /* The type of message that has been read */ /* * Read the next message from the control program. */ if(nm_read_msg(nm, 1) != MS_READ_DONE) return 1; /* * Unpack the message. */ if(net_start_get(nrs->net, &opcode) || opcode != MC_SIZE_MSG || net_get_long(nrs->net, 1, (unsigned long* )nrs_size) || net_get_long(nrs->net, 1, (unsigned long* )nss_size) || net_end_get(nrs->net)) { lprintf(stderr, "new_NetMonitor: Error reading size message.\n"); return 1; }; return 0; } /*....................................................................... * This is a private function of new_NetMonitor(). It reads the * second greeting message sent by the control program, which contains a * template from which a register map can be constructed, and uses it * to create a register map. * * Input: * nm NetMonitor * The network monitor object. * nrs NetReadStr * The input stream to use to read the message. * Output: * return RegMap * The register map template, or NULL on error. */ static ArrayMap *nm_read_ArrayMap(NetMonitor *nm, NetReadStr *nrs) { ArrayMap *arraymap = NULL; // The array map to be returned int opcode; // The type of message that has been read int error=0; // Read the next message from the control program. if(nm_read_msg(nm, 1) != MS_READ_DONE) return NULL; // Unpack the message. error = net_start_get(nrs->net, &opcode); error |= opcode != MC_REGMAP_MSG; error |= (arraymap = net_get_ArrayMap(nrs->net)) == NULL; error |= net_end_get(nrs->net); if(error) { lprintf(stderr, "new_NetMonitor: Error reading register-map message.\n"); return del_ArrayMap(arraymap); }; return arraymap; } /*....................................................................... * Read some or all of the next frame of selected registers from the * control program into ms_RegRawData(ms). * * Input: * ms MonitorStream * The monitor-stream iterator. * dowait int If dowait==0 then return before a complete * message has been received if it can't be * read without blocking. * Output: * return MsReadState The status of the read, from: * MS_READ_ENDED - The connection was lost. * MS_READ_AGAIN - (dowait==1) Message incomplete. * Call again when more data is * available. * MS_READ_DONE - A complete frame has been * read and calibrated. */ static MS_READ_FRAME(nm_read_frame) { NetMonitor *nm = (NetMonitor *) ms_SourceContext(ms); NetRegState regstate; /* The state of the new register frame */ NetBuf *net; /* The network read buffer */ int opcode; /* The received message type */ /* * Get an alias to the network read buffer. */ net = nm->nrs->net; /* * If a new register set has just been sent to the control program * some register frames that pertain to the old selection may still * be incoming from the control program. These should be discarded. * Loop for contemporary frames. */ while(1) { /* * Read as much of the current message as possible. */ MsReadState state = nm_read_msg(nm, dowait); if(state != MS_READ_DONE) return state; /* * Unpack the header of the message. */ if(net_start_get(net, &opcode) || opcode != MC_REGS_MSG) { lprintf(stderr, "Error decoding message from control program.\n"); return MS_READ_ENDED; }; /* * Read the contents of the register set message into ms_RegRawData(ms) * if the new frame is compatible with the latest register selection. */ #if 0 std::cout << "Raw net data size is: " << ms_RegRawData(ms)->fm->sizeInBytesOfData() << std::endl; #endif regstate = netGetRegs(ms_RegSet(ms)->regSet(), ms_RegRawData(ms), net); switch(regstate) { case NETREG_OK: return MS_READ_DONE; break; case NETREG_SKIP: continue; case NETREG_ERROR: return MS_READ_ENDED; break; }; }; } /*....................................................................... * Read all or part of the next message from the control program. * The message will be left for subsequent unpacking in nm->nrs. * * Input: * nm NetMonitor * The network monitor object. * dowait int If true wait until a whole message has been * read before returning. Otherwise, if the * input stream is blocked, defer completion * of the transaction to a subsequent call to * this function. * Output: * return MsReadState The state of the transaction. One of: * MS_READ_ENDED - The connection was lost. * MS_READ_AGAIN - The output stream is temporarily * blocked and dowait=0. Call this * function again to complete the * transaction. * MS_READ_DONE - The message has been sent. */ static MsReadState nm_read_msg(NetMonitor *nm, int dowait) { int state; /* The state of the read operation */ /* * Select non-blocking or blocking I/O as requested. */ if(tcp_set_blocking(nm->fd, dowait)) return MS_READ_ENDED; /* * Read as much of the message as possible. */ do { state = nrs_read_msg(nm->nrs); switch(state) { #ifdef _GPP /* If compiling with g++, we have to define the namespace */ case NetReadStr::NET_READ_SIZE: #else case NET_READ_SIZE: #endif #ifdef _GPP case NetReadStr::NET_READ_DATA: #else case NET_READ_DATA: #endif return MS_READ_AGAIN; break; #ifdef _GPP case NetReadStr::NET_READ_DONE: #else case NET_READ_DONE: #endif break; #ifdef _GPP case NetReadStr::NET_READ_CLOSED: #else case NET_READ_CLOSED: #endif lprintf(stderr, "Monitor connection lost to control program.\n"); return MS_READ_ENDED; break; #ifdef _GPP case NetReadStr::NET_READ_ERROR: #else case NET_READ_ERROR: #endif lprintf(stderr, "Error reading monitor message from control program.\n"); return MS_READ_ENDED; break; }; #ifdef _GPP } while(state != NetReadStr::NET_READ_DONE); #else } while(state != NET_READ_DONE); #endif return MS_READ_DONE; } /*....................................................................... * Send a previously packed message to the control program. * * Input: * ms MonitorStream * The monitor-stream iterator. * dowait int If true wait until the whole message has been * sent before returning. Otherwise, if the * output stream is blocked, defer completion * of the transaction to a subsequent call to * this function. * Output: * return MsSendState The state of the transaction. One of: * MS_SEND_ERROR - An unrecoverable error occurred. * MS_SEND_AGAIN - The output stream is temporarily * blocked and dowait=0. Call this * function again to complete the * transaction. * MS_SEND_DONE - The message has been sent. */ static MS_SEND_MSG(nm_send_msg) { NetMonitor *nm = (NetMonitor *) ms_SourceContext(ms); int state; /* The state of the send operation */ /* * Select non-blocking or blocking I/O as requested. */ if(tcp_set_blocking(nm->fd, dowait)) return MS_SEND_ERROR; /* * Send as much of the message as possible. */ do { state = nss_send_msg(nm->nss); switch(state) { #ifdef _GPP case NetSendStr::NET_SEND_DATA: #else case NET_SEND_DATA: #endif return MS_SEND_AGAIN; break; #ifdef _GPP case NetSendStr::NET_SEND_DONE: #else case NET_SEND_DONE: #endif break; #ifdef _GPP case NetSendStr::NET_SEND_ERROR: #else case NET_SEND_ERROR: #endif #ifdef _GPP case NetSendStr::NET_SEND_CLOSED: #else case NET_SEND_CLOSED: #endif lprintf(stderr, "nm_send_msg: Error sending message to control program.\n"); return MS_SEND_ERROR; break; }; #ifdef _GPP } while(state != NetSendStr::NET_SEND_DONE); #else } while(state != NET_SEND_DONE); #endif return MS_SEND_DONE; } /*....................................................................... * Pack a modified register set for subsequent transmission to the * control program. * * Input: * ms MonitorStream * The monitor-stream iterator. * Output: * return int MS_SEND_ERROR - Abnormal completion. * MS_SEND_AGAIN - Normal completion, but * nm_send_msg() must be * called to complete the * transaction. */ static MS_QUEUE_REGSET(nm_queue_regset) { NetMonitor *nm = (NetMonitor *) ms_SourceContext(ms); NetBuf *net; /* The network send buffer */ /* * Get a local alias to the output network buffer. */ net = nm->nss->net; /* * Pack the register set for subsequent transmission to the * control program. */ if(net_start_put(net, MC_REGSET_MSG) || net_put_RegSet(ms_RegSet(ms)->regSet(), net) || net_end_put(net)) return MS_SEND_ERROR; return MS_SEND_AGAIN; } /*....................................................................... * Pack a changed sampling interval for subsequent transmission to the * control program. * * Input: * ms MonitorStream * The monitor-stream iterator. * Output: * return int MS_SEND_ERROR - Abnormal completion. * MS_SEND_AGAIN - Normal completion, but * nm_send_msg() must be * called to complete the * transaction. */ static MS_QUEUE_INTERVAL(nm_queue_interval) { NetMonitor *nm = (NetMonitor *) ms_SourceContext(ms); NetBuf *net; /* The network send buffer */ /* * Get a local alias to the output network buffer. */ net = nm->nss->net; /* * Pack the register set for subsequent transmission to the * control program. */ { unsigned long interval = ms_get_interval(ms); if(net_start_put(net, MC_INTERVAL_MSG) || net_put_long(net, 1, &interval) || net_end_put(net)) return MS_SEND_ERROR; }; return MS_SEND_AGAIN; } /*....................................................................... * This is the monitor-stream method that returns the socket fd for use * in select(). */ static MS_SELECT_FD(nm_select_fd) { NetMonitor *nm = (NetMonitor *) ms_SourceContext(ms); return nm->fd; } /*....................................................................... * This is the monitor-stream method that returns the register map * of the stream. */ static MS_ARRAYMAP(nm_arraymap) { NetMonitor *nm = (NetMonitor *) ms_SourceContext(ms); return nm->arraymap; }
[ "22331890+mpound@users.noreply.github.com" ]
22331890+mpound@users.noreply.github.com
16a3f368c0d6916e2dfe613a2697545973ab2ff7
8d943bc9ef3eba8b726a2db5dd4d6f6893574084
/touchtoolbar/include/sdk/tPrintf.h
a4eda86da900dcddaa6d1d6f9865836a0e9c38e2
[]
no_license
wuguangchuang/Ubuntu_touchProject
90a6c381910fbddeba95ec00063f28ddf60ea9a7
b28c927326ae36392702baf3f1a4bbb642a156ab
refs/heads/main
2023-02-14T05:24:45.871397
2021-01-07T11:42:38
2021-01-07T11:42:38
327,592,906
0
0
null
null
null
null
UTF-8
C++
false
false
1,719
h
#ifndef TPRINTFG_H #define TPRINTFG_H #include <QDebug> #include <QFile> #include <QIODevice> #include <QTextStream> #include "/home/xjf/Desktop/touchProject/touch/touchsdk/include/touch_global.h" #include "tdebug.h" //#if defined(TOUCH_LIBRARY) //# define TOUCHSHARED_EXPORT Q_DECL_EXPORT //#else //# define TOUCHSHARED_EXPORT Q_DECL_IMPORT //#endif class TPrintf { public: TOUCHSHARED_EXPORT TPrintf(); TOUCHSHARED_EXPORT ~TPrintf(); TOUCHSHARED_EXPORT static void debug(QString message); TOUCHSHARED_EXPORT static void info(QString message); TOUCHSHARED_EXPORT static void warning(QString message); TOUCHSHARED_EXPORT static void error(QString message); TOUCHSHARED_EXPORT static void verbose(QString message); TOUCHSHARED_EXPORT static void setLogLevel(TLOG_LEVEL level); TOUCHSHARED_EXPORT static TLOG_LEVEL getLogLevel(); static void writeLogToFile(QString log); TOUCHSHARED_EXPORT static void logToConsole(bool console); private: static TLOG_LEVEL level; static QTextStream logOut; static QFile logFile; static bool logConsole; }; #define TSHOW_LINE(format, ...) TPrintf::info(QString().sprintf("[%s %d]" format, __FILE__, __LINE__, ##__VA_ARGS__)) //#define TSHOW_LINE(format, ...) #define TPVERBOSE(format, ...) TPrintf::verbose(QString().sprintf(format, ##__VA_ARGS__)) #define TPRINTF(format, ...) TPrintf::debug(QString().sprintf(format, ##__VA_ARGS__)) #define TPINFO(format, ...) TPrintf::info(QString().sprintf(format, ##__VA_ARGS__)) #define TPWARNING(format, ...) TPrintf::warning(QString().sprintf(format, ##__VA_ARGS__)) #define TPERROR(format, ...) TPrintf::error(QString().sprintf(format, ##__VA_ARGS__)) #endif // TPRINTFG_H
[ "wuguangchuang.cicoe.cc" ]
wuguangchuang.cicoe.cc
8f869bbfba86a324f8a2b8195c35b03d44fbce47
194bb7acfd9bb9b766df904747bad0a00caccec9
/palindrm.cpp
2160e4c8c1e5f644b88def90c32c6b591a981582
[]
no_license
ThamilAmudha/pinky1
77bbe72e6d055f95cc8dfe0263f814c7c0d17f38
4e56414d11baac49ca62cbc1e1e62261b73f3722
refs/heads/master
2020-06-22T11:11:51.459664
2019-08-14T12:53:18
2019-08-14T12:53:18
197,704,930
0
0
null
null
null
null
UTF-8
C++
false
false
349
cpp
#include <iostream> using namespace std; int main() { int n=0,i,j,c=0; char a[100],b[100]; cin>>a; for(i=0;a[i]!='\0';i++) { n++; } for(j=0;a[j]<n;j++) { b[j]=a[n-j-1]; if(b[j]!=a[j]) { c++; } } if(c==0) { cout<<"yes"; } else { cout<<"no"; } return 0; }
[ "noreply@github.com" ]
noreply@github.com
faee0130b21121153166ab93ab853e39675a931f
d0a1672648d460f759e76baa4375ce6e69fa3573
/2012874007김용주/20181127_structure/structure.cpp
95119acbc175594e9be0fdcbf60d9958fc80f677
[]
no_license
hellohiju/cp2012874007
7ea04508d6e20b2b61da12a0010f6276dfa2c93a
2eec05bc53612c00d422bc2e5150656e250cbf2f
refs/heads/master
2020-03-30T19:01:38.651824
2018-12-11T07:41:07
2018-12-11T07:41:07
149,241,827
0
0
null
null
null
null
UHC
C++
false
false
2,225
cpp
// 프로그래밍언어의 기능 // 1. 컴퓨터의 기능(순서제어/연산/메모리접근) // 2. 요약화(절차적:함수/선언적:구조체) // 구조체(structure) // 구성요소 + 요소 간의 관계 #include <stdio.h> // 데이터 타입의 별명 선언 typedef int myIntType; // 자료형 "int" 앞으로 "myIntType"라고도 부르겠다. /* // stucture declaration: 기존의 데이터 타입으로 구성하여 새로운 데이터 타입을 선언 struct complex { double real; // member variable double imag; }; // structure declaration must have semicolon! typedef struct complex Complex; // 자료형 "struct complex"를 "Complex"라고 부르겠다. */ // 이렇게 한번에 쓸 수 있다. typedef struct { double real; double imag; } Complex; // 함수 printComplex // 입력: 복소수 // 출력: x // 부수효과: x /* void printComplex(Complex x) { printf("%f + j%f\n", x.real, x.imag); } */ void printComplex(Complex* ptr) // 모든 경우 구조체의 포인터를 매개변수로 전달받는다. { if(ptr->imag >= 0) printf("%f + j%f\n", ptr->real, ptr->imag); else printf("%f - j%f\n", ptr->real, -ptr->imag); } // 함수 convertToConjugate // 입력: 복소수(포인터) // 출력: x // 부수효과: 입력된 복소수가 켤레 복소수로 변환됨 void convertToConjugate(Complex* ptr) { ptr->imag = -ptr->imag; } // 함수 returnConjugate // 입력: 복소수(포인터) // 출력: 복소수 // 부수효과: x Complex* returnConjugate(Complex* ptr) { Complex temp; temp.real = ptr->real; temp.imag = -ptr->imag; return &temp; } int main() { myIntType count = 10; // 구조체 변수 선언 Complex a,b; a.real = 10; // 구조체변수의 멤버변수 접근방법: 구조체이름변수.멤버변수 a.imag = 20; printComplex(&a); // 구조체 포인터 변수 선언 // 대부분 구조체는 구조체 포인터 변수를 사용하여 접근한다. Complex* ptr; ptr = &a; ptr->real = 100; // 구조체포인터변수의 멤버변수 접근방법: 구조체이름변수->멤버변수 ptr->imag = 200; printComplex(&a); convertToConjugate(&a); printComplex(&a); ptr = returnConjugate(&a); printComplex(&a); return 0; }
[ "helloju48@gmail.com" ]
helloju48@gmail.com
65f1cccbce548f5792b6e97424364d272050ee22
771204e2e52db6c1c80d285b23dea2ba5982d42e
/Sphere Online Judge 250 Most Solved Marathon With No Overlapping Problem/AnakRantauMenderita/Pamungkas/17.CANDY3.cpp
2a5be2a28528e9d1338f85aa4cb44fcd2590dfd2
[]
no_license
pamungkaski/competitive-programming-2017
e1911868aa6b2bc3319c3347fa3fac3a6f25c58b
cf6d5b4d8a30059b61eac52c2a0eb54fe5a9ee24
refs/heads/master
2021-01-23T03:21:49.289121
2017-10-15T09:03:16
2017-10-15T09:05:45
86,073,476
0
0
null
2017-05-31T16:19:00
2017-03-24T13:53:40
Java
UTF-8
C++
false
false
524
cpp
// // Created by Ki Ageng Satria Pamungkas on 5/28/17. // #include <iostream> #include <cstdint> using namespace std; int main(){ uint64_t t,n, x, sum; cin >> t; //ios::sync_with_stdio(false); for (uint64_t i = 0; i <t ; ++i) { cout << endl; cin >> n; sum = 0; for (int j = 0; j < n; ++j) { cin >> x; sum+= x % n; } if(sum % n == 0){ cout << "YES" << endl; }else{ cout << "NO" << endl; } } }
[ "pamungkas.kiagengsatria@outlook.com" ]
pamungkas.kiagengsatria@outlook.com
d044b55dc037d2067c65b8d828e74ac08ba63ee5
6898da9a75574215d01e5b44b02a0f5dfd1edbea
/turnRight.cpp
ab688bfb192142bfc604b9a534843d010674a18a
[]
no_license
Scotty0002/ENGR101-2017
cdc84cc0f613456388fbe097f97eda22dc85b8ac
bfdf03c7d73f4f480b7084c846fe287096685948
refs/heads/master
2021-01-19T11:42:00.982816
2017-04-12T00:45:52
2017-04-12T00:45:52
87,990,686
0
0
null
null
null
null
UTF-8
C++
false
false
85
cpp
nt turn_left(int duration){ set_motor(1,-100); set_motor(2,200); sleep1(duration,0);
[ "noreply@github.com" ]
noreply@github.com
5e09dd201282ae70e4e4f534437878085e49a84e
e09ebf41aaa9542f17ca87e1ab94dc6a2041d112
/leetCode/longestCommonPrefixv2.cpp
66b27f0c0de2818b72bf5b9974a306181466f19c
[]
no_license
angelmotta/CompetitiveProgramming
b3a1af3cf8d2aa8f7c6f775c7135156438e79191
2e5e0ccf33d21f8741dd6131012d62d3c445efe0
refs/heads/master
2021-07-03T12:28:50.501286
2020-09-08T20:17:51
2020-09-08T20:17:51
165,057,684
2
0
null
null
null
null
UTF-8
C++
false
false
1,905
cpp
#include <iostream> #include <vector> #include <algorithm> #include <string> using namespace std; class Solution { public: string longestCommonPrefix(vector<string>& strs) { // Check trivial cases if(strs.size() == 0) return ""; if(strs.size() == 1) return strs[0]; // Get lcp between the first and second element of the array string lcp = ""; int str1Len = strs[0].length(); int str2Len = strs[1].length(); for(int i = 0, j = 0; i < str1Len && j < str2Len; i++, j++ ){ if(strs[0][i] != strs[1][j]){ break; } lcp += strs[0][i]; } // Check base cases if(lcp.length() == 0) return ""; if(strs.size() <= 2) return lcp; // Verify if lcp is present from the third element in the array until the end element string checkStr = ""; for(int i = 2; i < strs.size(); i++){ checkStr = strs[i].substr(0, lcp.length()); //cout << "Find: " << lcp << " --> in subtr: " << checkStr << " ...of element: " << strs[i] << '\n'; if(lcp != checkStr){ while(lcp.length()){ lcp = lcp.substr(0, lcp.length() - 1); // reduce 1 char the lcp string checkStr = strs[i].substr(0, lcp.length()); // get substring reduced 1 char //cout << "Now check this: " << lcp << '\n'; if(lcp == checkStr){ break; } } } if(lcp.length() == 0){ return ""; } } return lcp; } }; int main(){ vector<string> vec = {"flower","flow","flight"}; vector<string> vec2 = {"dog","racecar","car"}; vector<string> vec3 = {"",""}; Solution s1; cout << s1.longestCommonPrefix(vec3) << '\n'; return 0; }
[ "angelmotta@gmail.com" ]
angelmotta@gmail.com
f2670e3d0567fd72f5e45d54255627ca573f2e38
0ab690fa03045a1752edb344b9ecc71ad55f6cd0
/esercizi_CPP/Esercizi_vari/procedure_funzioni_verifica.cpp
fb0bb01e1c7cbcdf23ffc8f22960765aa3de47fb
[]
no_license
MatteoBartoli03/CPP
72bbbd1b57b7e75f855f950f18be81f0817448f9
55c2c61567c6b59d7c07cd014430248766125f8c
refs/heads/master
2020-12-19T19:13:48.154720
2020-12-09T19:34:17
2020-12-09T19:34:17
235,825,962
0
0
null
null
null
null
UTF-8
C++
false
false
804
cpp
#include <iostream> using namespace std; //esempi di funzioni void ciao() {} int hello() { //ritorna un intero return 0; } // for for (int i = 0; i < 10; i++) {} int main() { //dichiara variabili /*variabili usate con lo "switch" int option; bool loop = true; */ /* switch while(loop) { cout << "Opzioni: \n1) \n2) \n3) \n4) \n5) \n6) \n7) Esci \n"; cin >> option; switch (option) { case 1: { break; } case 2: { break; } case 3: { break; } case 4: { break; } case 5: { break; } case 6: { break; } case 7: { loop = false; break; } default: { cout << "ritenta" << endl; break; } } } */ return 0; }
[ "matteobartoli01@gmail.com" ]
matteobartoli01@gmail.com
aa092bfd90b82cbd659a68b09f504a1828770ce9
e8ec6b67ed89cf14d8cd57e077c37ae86ed0b459
/ExceptionHandling.cpp/RelationalOperators.cpp
f3b8e163128108e26ed2342f39bdb8ea490e237e
[]
no_license
Datta2901/OOPS_Elab
9c031b3ba01a3ebaaae156d36fe42243f8cf02fa
8165d4a424837b978aeeafd3ebc61df18abe01a6
refs/heads/master
2023-07-28T12:19:11.522328
2021-09-13T06:24:40
2021-09-13T06:24:40
405,854,259
0
0
null
null
null
null
UTF-8
C++
false
false
981
cpp
#include <iostream> using namespace std; int main() { int a,b; cin>>a>>b; try { if(a>0 && b>0) { if(a>b) { cout<<a<<"<"<<b<<"=0"<<endl; cout<<a<<"<="<<b<<"=0"<<endl; cout<<a<<"="<<b<<"=0"<<endl; cout<<a<<">"<<b<<"=1"<<endl; cout<<a<<">="<<b<<"=1"<<endl; cout<<a<<"!="<<b<<"=1"<<endl; } else if(a<b) { cout<<a<<"<"<<b<<"=1"<<endl; cout<<a<<"<="<<b<<"=1"<<endl; cout<<a<<"="<<b<<"=0"<<endl; cout<<a<<">"<<b<<"=0"<<endl; cout<<a<<">="<<b<<"=0"<<endl; cout<<a<<"!="<<b<<"=1"<<endl; } else { cout<<a<<"<"<<b<<"=0"<<endl; cout<<a<<"<="<<b<<"=1"<<endl; cout<<a<<"="<<b<<"=1"<<endl; cout<<a<<">"<<b<<"=0"<<endl; cout<<a<<">="<<b<<"=1"<<endl; cout<<a<<"!="<<b<<"=0"<<endl; } } else throw a; } catch(...) { cout<<"No Negative Numbers"; } return 0; }
[ "manikanta2901@gmail.com" ]
manikanta2901@gmail.com
302210329e56eef56d0887d1b7e8dda369c57fea
10f67f9503e52ed4a8bb757d470f2c3b8fe0cea1
/2021_Team3_Project/2021_Team3_Project/water.h
781011eae554e662c9e02eb74008a6f8b67f837c
[]
no_license
Mesarthim-14/2021_Team3_Project
6e7a73a90c3e790d965fbdaa0f9fddebf5895ee7
f0b62a48edb1b4476c1f0ebaa4b96afb44962c80
refs/heads/master
2023-08-24T09:54:27.694543
2021-10-04T03:07:43
2021-10-04T03:07:48
373,224,774
3
0
null
2021-10-01T08:20:39
2021-06-02T15:54:25
C++
SHIFT_JIS
C++
false
false
2,031
h
#ifndef _WATER_H_ #define _WATER_H_ //============================================================================= // // 水のクラス [water.h] // Author : Konishi Yuuto // //============================================================================= //============================================================================= // インクルードファイル //============================================================================= #include "meshfield.h" //============================================================================= // 前方宣言 //============================================================================= class CWave; //============================================================================= // 水クラス //============================================================================= class CWater : public CMeshField { public: CWater(PRIORITY = PRIORITY_0); // コンストラクタ ~CWater(); // デストラクタ HRESULT Init(void); // 初期化処理 void Uninit(void); // 終了処理 void Update(void); // 更新処理 void Draw(void); // 描画処理 void Wave(void); // 波の処理 void SetMatrix(void); // マトリクスの設定 static CWater*Create(void); // インスタンス生成 static HRESULT LoadShaderFile(void); // シェーダファイルの読み込み static void UnLoadShaderFile(void); // シェーダファイルの読み込み private: D3DXMATRIX m_mtxWorld; // ワールドマトリクス // エフェクト作成 static LPD3DXEFFECT m_pEffect; // エフェクト用ポインタ LPDIRECT3DVOLUMETEXTURE9 m_pNoiseVolumeTexture; // ノイズテクスチャ LPDIRECT3DCUBETEXTURE9 m_pEnvironmentTexture; // キューブテクスチャ float m_fFileTime; // ファイルの経過時間 D3DXMATRIXA16 m_MatPlayer; // プレイヤーのマトリクス CWave *m_pWave; // 波の移動 }; #endif
[ "k.yuutosoccer@gmail.com" ]
k.yuutosoccer@gmail.com
0b6f6bb889d8c39bc329e33fca8c2992563d37e0
77bbf5ed3536ad7fa3c3c99921fd26b400a625bb
/examples/line_plot/plot3/plot3_10.cpp
60b4d8c1da0c9c03659271841b5ccda45f8ea2be
[ "MIT" ]
permissive
kurogane1031/matplotplusplus
ffc55a475c05383e958e079fad319cdd9c904a0c
44d21156edba8effe1e764a8642b0b70590d597b
refs/heads/master
2022-12-18T21:06:06.875321
2020-08-29T19:08:55
2020-08-29T19:08:55
291,301,340
0
0
MIT
2020-08-29T15:52:51
2020-08-29T15:52:50
null
UTF-8
C++
false
false
424
cpp
#include <cmath> #include <random> #include <matplot/matplot.h> int main() { using namespace matplot; auto t = iota(0,pi/500,pi); auto xt = transform(t,[](auto t){ return sin(t)*cos(10*t); }); auto yt = transform(t,[](auto t){ return sin(t)*sin(10*t); }); auto zt = transform(t,[](auto t){ return cos(t); }); auto p = plot3(xt,yt,zt,"-o"); p->marker_indices({200}); wait(); return 0; }
[ "alandefreitas@gmail.com" ]
alandefreitas@gmail.com
9a627880ca55a339726c61dbb731c71950523ba0
cc7643ff887a76a5cacd344993f5812281db8b2d
/src/WebCoreDerived/JSSVGRenderingIntent.cpp
fc52454586f7ad88bbdfd9eea9a7cdad3a424172
[ "BSD-3-Clause" ]
permissive
ahixon/webkit.js
e1497345aee2ec81c9895bebf8d705e112c42005
7ed1480d73de11cb25f02e89f11ecf71dfa6e0c2
refs/heads/master
2020-06-18T13:13:54.933869
2016-12-01T10:06:08
2016-12-01T10:06:08
75,136,170
2
0
null
2016-11-30T00:51:10
2016-11-30T00:51:09
null
UTF-8
C++
false
false
11,235
cpp
/* This file is part of the WebKit open source project. This file has been generated by generate-bindings.pl. DO NOT MODIFY! This library is free software; you can redistribute it and/or modify it under the terms of the GNU Library General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This library is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Library General Public License for more details. You should have received a copy of the GNU Library General Public License along with this library; see the file COPYING.LIB. If not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. */ #include "config.h" #if ENABLE(SVG) #include "JSSVGRenderingIntent.h" #include "SVGRenderingIntent.h" #include <wtf/GetPtr.h> using namespace JSC; namespace WebCore { /* Hash table */ static const HashTableValue JSSVGRenderingIntentTableValues[] = { { "constructor", DontEnum | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentConstructor), (intptr_t)0 }, { 0, 0, NoIntrinsic, 0, 0 } }; static const HashTable JSSVGRenderingIntentTable = { 2, 1, JSSVGRenderingIntentTableValues, 0 }; /* Hash table for constructor */ static const HashTableValue JSSVGRenderingIntentConstructorTableValues[] = { { "RENDERING_INTENT_UNKNOWN", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_UNKNOWN), (intptr_t)0 }, { "RENDERING_INTENT_AUTO", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_AUTO), (intptr_t)0 }, { "RENDERING_INTENT_PERCEPTUAL", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_PERCEPTUAL), (intptr_t)0 }, { "RENDERING_INTENT_RELATIVE_COLORIMETRIC", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_RELATIVE_COLORIMETRIC), (intptr_t)0 }, { "RENDERING_INTENT_SATURATION", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_SATURATION), (intptr_t)0 }, { "RENDERING_INTENT_ABSOLUTE_COLORIMETRIC", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_ABSOLUTE_COLORIMETRIC), (intptr_t)0 }, { 0, 0, NoIntrinsic, 0, 0 } }; static const HashTable JSSVGRenderingIntentConstructorTable = { 16, 15, JSSVGRenderingIntentConstructorTableValues, 0 }; COMPILE_ASSERT(0 == SVGRenderingIntent::RENDERING_INTENT_UNKNOWN, SVGRenderingIntentEnumRENDERING_INTENT_UNKNOWNIsWrongUseDoNotCheckConstants); COMPILE_ASSERT(1 == SVGRenderingIntent::RENDERING_INTENT_AUTO, SVGRenderingIntentEnumRENDERING_INTENT_AUTOIsWrongUseDoNotCheckConstants); COMPILE_ASSERT(2 == SVGRenderingIntent::RENDERING_INTENT_PERCEPTUAL, SVGRenderingIntentEnumRENDERING_INTENT_PERCEPTUALIsWrongUseDoNotCheckConstants); COMPILE_ASSERT(3 == SVGRenderingIntent::RENDERING_INTENT_RELATIVE_COLORIMETRIC, SVGRenderingIntentEnumRENDERING_INTENT_RELATIVE_COLORIMETRICIsWrongUseDoNotCheckConstants); COMPILE_ASSERT(4 == SVGRenderingIntent::RENDERING_INTENT_SATURATION, SVGRenderingIntentEnumRENDERING_INTENT_SATURATIONIsWrongUseDoNotCheckConstants); COMPILE_ASSERT(5 == SVGRenderingIntent::RENDERING_INTENT_ABSOLUTE_COLORIMETRIC, SVGRenderingIntentEnumRENDERING_INTENT_ABSOLUTE_COLORIMETRICIsWrongUseDoNotCheckConstants); const ClassInfo JSSVGRenderingIntentConstructor::s_info = { "SVGRenderingIntentConstructor", &Base::s_info, &JSSVGRenderingIntentConstructorTable, 0, CREATE_METHOD_TABLE(JSSVGRenderingIntentConstructor) }; JSSVGRenderingIntentConstructor::JSSVGRenderingIntentConstructor(Structure* structure, JSDOMGlobalObject* globalObject) : DOMConstructorObject(structure, globalObject) { } void JSSVGRenderingIntentConstructor::finishCreation(VM& vm, JSDOMGlobalObject* globalObject) { Base::finishCreation(vm); ASSERT(inherits(info())); putDirect(vm, vm.propertyNames->prototype, JSSVGRenderingIntentPrototype::self(vm, globalObject), DontDelete | ReadOnly); putDirect(vm, vm.propertyNames->length, jsNumber(0), ReadOnly | DontDelete | DontEnum); } bool JSSVGRenderingIntentConstructor::getOwnPropertySlot(JSObject* object, ExecState* exec, PropertyName propertyName, PropertySlot& slot) { return getStaticValueSlot<JSSVGRenderingIntentConstructor, JSDOMWrapper>(exec, JSSVGRenderingIntentConstructorTable, jsCast<JSSVGRenderingIntentConstructor*>(object), propertyName, slot); } /* Hash table for prototype */ static const HashTableValue JSSVGRenderingIntentPrototypeTableValues[] = { { "RENDERING_INTENT_UNKNOWN", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_UNKNOWN), (intptr_t)0 }, { "RENDERING_INTENT_AUTO", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_AUTO), (intptr_t)0 }, { "RENDERING_INTENT_PERCEPTUAL", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_PERCEPTUAL), (intptr_t)0 }, { "RENDERING_INTENT_RELATIVE_COLORIMETRIC", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_RELATIVE_COLORIMETRIC), (intptr_t)0 }, { "RENDERING_INTENT_SATURATION", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_SATURATION), (intptr_t)0 }, { "RENDERING_INTENT_ABSOLUTE_COLORIMETRIC", DontDelete | ReadOnly, NoIntrinsic, (intptr_t)static_cast<PropertySlot::GetValueFunc>(jsSVGRenderingIntentRENDERING_INTENT_ABSOLUTE_COLORIMETRIC), (intptr_t)0 }, { 0, 0, NoIntrinsic, 0, 0 } }; static const HashTable JSSVGRenderingIntentPrototypeTable = { 16, 15, JSSVGRenderingIntentPrototypeTableValues, 0 }; const ClassInfo JSSVGRenderingIntentPrototype::s_info = { "SVGRenderingIntentPrototype", &Base::s_info, &JSSVGRenderingIntentPrototypeTable, 0, CREATE_METHOD_TABLE(JSSVGRenderingIntentPrototype) }; JSObject* JSSVGRenderingIntentPrototype::self(VM& vm, JSGlobalObject* globalObject) { return getDOMPrototype<JSSVGRenderingIntent>(vm, globalObject); } bool JSSVGRenderingIntentPrototype::getOwnPropertySlot(JSObject* object, ExecState* exec, PropertyName propertyName, PropertySlot& slot) { JSSVGRenderingIntentPrototype* thisObject = jsCast<JSSVGRenderingIntentPrototype*>(object); return getStaticValueSlot<JSSVGRenderingIntentPrototype, JSObject>(exec, JSSVGRenderingIntentPrototypeTable, thisObject, propertyName, slot); } const ClassInfo JSSVGRenderingIntent::s_info = { "SVGRenderingIntent", &Base::s_info, &JSSVGRenderingIntentTable, 0 , CREATE_METHOD_TABLE(JSSVGRenderingIntent) }; JSSVGRenderingIntent::JSSVGRenderingIntent(Structure* structure, JSDOMGlobalObject* globalObject, PassRefPtr<SVGRenderingIntent> impl) : JSDOMWrapper(structure, globalObject) , m_impl(impl.leakRef()) { } void JSSVGRenderingIntent::finishCreation(VM& vm) { Base::finishCreation(vm); ASSERT(inherits(info())); } JSObject* JSSVGRenderingIntent::createPrototype(VM& vm, JSGlobalObject* globalObject) { return JSSVGRenderingIntentPrototype::create(vm, globalObject, JSSVGRenderingIntentPrototype::createStructure(vm, globalObject, globalObject->objectPrototype())); } void JSSVGRenderingIntent::destroy(JSC::JSCell* cell) { JSSVGRenderingIntent* thisObject = static_cast<JSSVGRenderingIntent*>(cell); thisObject->JSSVGRenderingIntent::~JSSVGRenderingIntent(); } JSSVGRenderingIntent::~JSSVGRenderingIntent() { releaseImplIfNotNull(); } bool JSSVGRenderingIntent::getOwnPropertySlot(JSObject* object, ExecState* exec, PropertyName propertyName, PropertySlot& slot) { JSSVGRenderingIntent* thisObject = jsCast<JSSVGRenderingIntent*>(object); ASSERT_GC_OBJECT_INHERITS(thisObject, info()); return getStaticValueSlot<JSSVGRenderingIntent, Base>(exec, JSSVGRenderingIntentTable, thisObject, propertyName, slot); } EncodedJSValue jsSVGRenderingIntentConstructor(ExecState* exec, EncodedJSValue thisValue, EncodedJSValue, PropertyName) { JSSVGRenderingIntent* domObject = jsDynamicCast<JSSVGRenderingIntent*>(JSValue::decode(thisValue)); if (!domObject) return throwVMTypeError(exec); if (!domObject) return throwVMTypeError(exec); return JSValue::encode(JSSVGRenderingIntent::getConstructor(exec->vm(), domObject->globalObject())); } JSValue JSSVGRenderingIntent::getConstructor(VM& vm, JSGlobalObject* globalObject) { return getDOMConstructor<JSSVGRenderingIntentConstructor>(vm, jsCast<JSDOMGlobalObject*>(globalObject)); } // Constant getters EncodedJSValue jsSVGRenderingIntentRENDERING_INTENT_UNKNOWN(ExecState* exec, EncodedJSValue, EncodedJSValue, PropertyName) { UNUSED_PARAM(exec); return JSValue::encode(jsNumber(static_cast<int>(0))); } EncodedJSValue jsSVGRenderingIntentRENDERING_INTENT_AUTO(ExecState* exec, EncodedJSValue, EncodedJSValue, PropertyName) { UNUSED_PARAM(exec); return JSValue::encode(jsNumber(static_cast<int>(1))); } EncodedJSValue jsSVGRenderingIntentRENDERING_INTENT_PERCEPTUAL(ExecState* exec, EncodedJSValue, EncodedJSValue, PropertyName) { UNUSED_PARAM(exec); return JSValue::encode(jsNumber(static_cast<int>(2))); } EncodedJSValue jsSVGRenderingIntentRENDERING_INTENT_RELATIVE_COLORIMETRIC(ExecState* exec, EncodedJSValue, EncodedJSValue, PropertyName) { UNUSED_PARAM(exec); return JSValue::encode(jsNumber(static_cast<int>(3))); } EncodedJSValue jsSVGRenderingIntentRENDERING_INTENT_SATURATION(ExecState* exec, EncodedJSValue, EncodedJSValue, PropertyName) { UNUSED_PARAM(exec); return JSValue::encode(jsNumber(static_cast<int>(4))); } EncodedJSValue jsSVGRenderingIntentRENDERING_INTENT_ABSOLUTE_COLORIMETRIC(ExecState* exec, EncodedJSValue, EncodedJSValue, PropertyName) { UNUSED_PARAM(exec); return JSValue::encode(jsNumber(static_cast<int>(5))); } bool JSSVGRenderingIntentOwner::isReachableFromOpaqueRoots(JSC::Handle<JSC::Unknown> handle, void*, SlotVisitor& visitor) { UNUSED_PARAM(handle); UNUSED_PARAM(visitor); return false; } void JSSVGRenderingIntentOwner::finalize(JSC::Handle<JSC::Unknown> handle, void* context) { JSSVGRenderingIntent* jsSVGRenderingIntent = jsCast<JSSVGRenderingIntent*>(handle.get().asCell()); DOMWrapperWorld& world = *static_cast<DOMWrapperWorld*>(context); uncacheWrapper(world, &jsSVGRenderingIntent->impl(), jsSVGRenderingIntent); jsSVGRenderingIntent->releaseImpl(); } SVGRenderingIntent* toSVGRenderingIntent(JSC::JSValue value) { return value.inherits(JSSVGRenderingIntent::info()) ? &jsCast<JSSVGRenderingIntent*>(value)->impl() : 0; } } #endif // ENABLE(SVG)
[ "trevor.linton@gmail.com" ]
trevor.linton@gmail.com
1634b32b79f0578e10dac525ad7475c18b752a5f
8c76ed4be6213e1ffdaf070cd46ba996ff177450
/Assignment/1-Triangle/Triangle/Triangle.cpp
dcc9dc4e5a14eaf74838ffcc576b5b9ab8a939ee
[]
no_license
Tairokiya/CPP-
afac78122a63ea154e071bb7a9e2915d7272d237
8a2df894d8766e2f7cdca4718c94bc072225625f
refs/heads/master
2021-01-21T14:44:40.413782
2016-07-06T08:11:48
2016-07-06T08:11:48
57,232,992
0
0
null
null
null
null
UTF-8
C++
false
false
414
cpp
// // Triangle.cpp // Triangle // // Created by Mike on 16/3/8. // Copyright © 2016年 陈 俊达. All rights reserved. // #include "Triangle.hpp" #include <math.h> Triangle::Triangle(){ a = b = c = 0.0; } Triangle::Triangle(double ta, double tb = 0.0,double tc = 0.0){ a = ta; b = tb; c = tc; } double Triangle::Area(){ double p = (a+b+c)/2; return sqrt(p*(p-a)*(p-b)*(p-c)); }
[ "MikeBookPRO@Mike.local" ]
MikeBookPRO@Mike.local
df7b6b082106d46cf0161682439f3ebcd8552027
297a869998e2a591cdb5273cf6a8eed390f74db1
/ACMICPC/2011.cpp
a5b27f40ad8af563790b9052b6884ff4d67e42c4
[]
no_license
jaehosung/Algorithm
fbdf70bf96340a648639232c34f89467170e6e42
c9d84eb8e9bdcb951de1a7348d2e97ecb67982a8
refs/heads/master
2021-01-10T10:31:38.546980
2017-08-16T06:32:25
2017-08-16T06:32:25
43,827,393
0
0
null
null
null
null
UTF-8
C++
false
false
564
cpp
#include<iostream> #include<string> #include<vector> using namespace std; int main(){ string code; cin >> code; int n = code.size(); vector<int> vec(n+1); vec[0] = 1; vec[1] = 1; for(int i = 2; i <=n; i++){ if(stoi(code.substr(i-2,2))%10==0){ vec[i] = vec[i-2]; }else if(stoi(code.substr(i-2,2))<=26&&stoi(code.substr(i-2,2))>=10){ vec[i] = vec[i-2] + vec[i-1]; }else{ vec[i] = vec[i-1]; } vec[i] %= 1000000; } cout << vec[n]<<endl; return 0; }
[ "jaehossung@gmail.com" ]
jaehossung@gmail.com
993bc6287c769d49cad272c623f365620fc24e91
e103d5bb7fc178e86213abec37884ece87f8109c
/ece244lab4/Resistor.cpp
996af8c24817bf1eb380e3b4dfdaa86d23d18a1d
[]
no_license
Deep321/Circuits-Node-Network-Solver
4952d2b8d464df97149753570ce83f3d3a13a0b5
2a9e95f24d462ba0a8c8d418c1941c891d2f64d0
refs/heads/master
2016-09-06T18:30:18.688534
2014-11-18T14:15:25
2014-11-18T14:15:25
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,346
cpp
#include "Resistor.h" Resistor::Resistor(){ this->next=NULL; this->resistance=0; this->name=""; } Resistor::Resistor(string name_,double resistance_,int endpoints_[2],Resistor*next){ this->name = name_; this->resistance=resistance_; this->endpointNodeIDs[0]=endpoints_[0]; this->endpointNodeIDs[1]=endpoints_[1]; this->next=next; } Resistor::~Resistor() { } string Resistor::getName() const{ return this->name; } void Resistor::setResistance (double resistance_){ this->resistance = resistance_; } double Resistor::getResistance() const{ return this->resistance; } int Resistor::getEndpointNodeID1() const{ return this->endpointNodeIDs[0]; } int Resistor::getEndpointNodeID2() const{ return this->endpointNodeIDs[1]; } Resistor* Resistor::getNext () { return next; } void Resistor::setNext (Resistor* _next) { this->next = _next; } int Resistor::getOtherNodeId(int nodeid1) const{ if(this->endpointNodeIDs[0]==nodeid1) return this->endpointNodeIDs[1]; else return this->endpointNodeIDs[0]; } ostream& operator<<(ostream& out,const Resistor& resistor){ out << left << setw(20) << setfill(' ') << resistor.name << " " << right << setw(8) << setfill(' ') << resistor.resistance << " Ohms " << resistor.endpointNodeIDs[0] << " -> " << resistor.endpointNodeIDs[1] << endl; return out; }
[ "Deeptanshu.Prasad@gmail.com" ]
Deeptanshu.Prasad@gmail.com
e1f7b9db2dfa21d66e4ad028919ac530fce11615
8dbd292c4d8d75982676bafda89c78d4539a6195
/BWPMF/src/rcpp_serialization.h
b950119f3436a78acbf6e15189f1c8b0561cdd39
[]
no_license
bridgewell/BWPMF
0552495198665ebd8ffc885fdbcad3ae55ee4866
5424c1e12aade6455aa6c8a5999e7a2707432c76
refs/heads/master
2021-01-10T12:52:25.968099
2015-11-10T04:00:48
2015-11-10T04:46:54
43,807,122
1
1
null
2015-10-08T02:58:40
2015-10-07T09:48:14
C++
UTF-8
C++
false
false
2,490
h
#ifndef __RCPP_SERIALIZATION_H__ #define __RCPP_SERIALIZATION_H__ #include <iostream> #include <fstream> #include <boost/archive/binary_oarchive.hpp> #include <boost/archive/binary_iarchive.hpp> #include <boost/archive/text_oarchive.hpp> #include <boost/archive/text_iarchive.hpp> #include <boost/iostreams/stream.hpp> #include <boost/iostreams/device/null.hpp> #include <boost/iostreams/filtering_stream.hpp> #include <boost/iostreams/filter/gzip.hpp> #include <boost/serialization/unordered_map.hpp> #include <boost/serialization/vector.hpp> #include <Rcpp.h> template<typename T> std::string serialize(const T& m, bool is_binary, bool is_gzip) { std::stringstream os; { boost::iostreams::filtering_stream<boost::iostreams::output> f; if (is_gzip) f.push(boost::iostreams::gzip_compressor()); f.push(os); if (is_binary) { boost::archive::binary_oarchive oa(f); oa << m; } else { boost::archive::text_oarchive oa(f); oa << m; } } return os.str(); } template<typename T> void deserialize(const std::string& path, T& target) { std::ifstream is(path.c_str()); boost::iostreams::filtering_stream<boost::iostreams::input> f; f.push(boost::iostreams::gzip_decompressor()); f.push(is); boost::archive::binary_iarchive ia(f); ia >> target; } template <typename T> SEXP serialize(SEXP Rpath, const T& target) { const std::string path(Rcpp::as<std::string>(Rpath)); std::ofstream os(path.c_str()); boost::iostreams::filtering_stream<boost::iostreams::output> f; f.push(boost::iostreams::gzip_compressor()); f.push(os); boost::archive::binary_oarchive oa(f); oa << target; return R_NilValue; } template<typename T> SEXP rcpp_serialize(const T& m, bool is_binary, bool is_gzip) { const std::string src(serialize<T>(m, is_binary, is_gzip)); Rcpp::RawVector retval(src.size()); memcpy(&retval[0], src.c_str(), src.size()); return retval; } template<typename T> void rcpp_deserialize(T& m, Rcpp::RawVector src, bool is_binary, bool is_gzip) { typedef boost::iostreams::basic_array_source<char> Device; boost::iostreams::stream<Device> stream((char *) &src[0], src.size()); boost::iostreams::filtering_stream<boost::iostreams::input> f; if (is_gzip) f.push(boost::iostreams::gzip_decompressor()); f.push(stream); if (is_binary) { boost::archive::binary_iarchive ia(f); ia >> m; } else { boost::archive::text_iarchive ia(f); ia >> m; } } #endif //__RCPP_SERIALIZATION_H__
[ "wush@bridgewell.com" ]
wush@bridgewell.com
c736fca91e97e8cd88a505c18d4c1a0f4fd7272e
1f88ef532a08e2137a778f44869988ed85341071
/ManualMap/PEBStruct.h
ef26a68ee160da889677bf99cf456f3198201ab8
[]
no_license
fatrolls/ManualMap-Dll-Injection
3d6491aa8e5480f010149fa8289ec9837b5703ab
216bfa1085a30bdae493ed118f5d9b21b29a1c22
refs/heads/master
2023-06-10T22:42:47.035601
2021-07-07T05:11:04
2021-07-07T05:11:04
383,678,585
2
2
null
null
null
null
UTF-8
C++
false
false
2,149
h
#pragma once #include <Windows.h> #define PTR_32 uint32_t #define PTR_64 uint64_t namespace PEBStruct { template<typename T> struct UNICODE_STRING { USHORT Length; USHORT MaximumLength; T Buffer; //PCWSTR type pointer }; template<typename T> struct LIST_ENTRY { T Flink; T Blink; }; template<typename T> struct PROCESS_BASIC_INFORMATION { T Reserved1; T PebBaseAddress; //PEB pointer type T Reserved2[2]; T UniqueProcessId; //ULONG_PTR pointer type T Reserved3; }; template<typename T> struct LDR_DATA_TABLE_ENTRY { LIST_ENTRY<T> InLoadOrderLinks; LIST_ENTRY<T> InMemoryOrderLinks; LIST_ENTRY<T> InInitializationOrderLinks; T DllBase; T EntryPoint; ULONG SizeOfImage; UNICODE_STRING<T> FullDllName; UNICODE_STRING<T> BaseDllName; ULONG Flags; WORD LoadCount; WORD TlsIndex; union { LIST_ENTRY<T> HashLinks; struct { T SectionPointer; ULONG CheckSum; }; }; union { ULONG TimeDateStamp; T LoadedImports; }; T EntryPointActivationContext; //_ACTIVATION_CONTEXT type pointer T PatchInformation; LIST_ENTRY<T> ForwarderLinks; LIST_ENTRY<T> ServiceTagLinks; LIST_ENTRY<T> StaticLinks; }; template<typename T> struct PEB_LDR_DATA { ULONG Length; BOOLEAN Initialized; T SsHandle; LIST_ENTRY<T> InLoadOrderModuleList; LIST_ENTRY<T> InMemoryOrderModuleList; LIST_ENTRY<T> InInitializationOrderModuleList; T EntryInProgress; BOOLEAN ShutdownInProgress; HANDLE ShutdownThreadId; }; template <class T> struct _PEB { BYTE InheritedAddressSpace; BYTE ReadImageFileExecOptions; BYTE BeingDebugged; union { UCHAR BitField; struct { /* bit fields, follow link */ }; }; T Mutant; T ImageBaseAddress; T Ldr; T ProcessParameters; T SubSystemData; T ProcessHeap; T FastPebLock; T AtlThunkSListPtr; T IFEOKey; union { ULONG CrossProcessFlags; struct { /* bit fields, follow link */ }; }; union { T KernelCallbackTable; T UserSharedInfoPtr; }; DWORD SystemReserved; DWORD AtlThunkSListPtr32; T ApiSetMap; T TlsExpansionCounter; T TlsBitmap; }; };
[ "noreply@github.com" ]
noreply@github.com
1db122f0d5863493f11974bbd99896a1f1dc25f5
6028a4e57a68bd9cf12f968aeb904a0bd49e45ca
/roughly-2011/Physics Land/jni/box2d-trunk-27062009/Collision/b2Collision.h
e6d00e54c0f3038e5bb9fe05897a484d480a5fe1
[]
no_license
w-shackleton/do-not-run-this-code
e8912133f7550059c1d5c9052312721b8a1e6af0
d8c6c0b1b4655694f54a9986ecb83f96a7c461c7
refs/heads/master
2021-05-23T09:48:13.376851
2020-04-05T14:13:51
2020-04-05T14:13:51
253,225,786
0
1
null
2020-10-13T21:18:52
2020-04-05T12:08:08
Java
UTF-8
C++
false
false
8,775
h
/* * Copyright (c) 2006-2009 Erin Catto http://www.gphysics.com * * This software is provided 'as-is', without any express or implied * warranty. In no event will the authors be held liable for any damages * arising from the use of this software. * Permission is granted to anyone to use this software for any purpose, * including commercial applications, and to alter it and redistribute it * freely, subject to the following restrictions: * 1. The origin of this software must not be misrepresented; you must not * claim that you wrote the original software. If you use this software * in a product, an acknowledgment in the product documentation would be * appreciated but is not required. * 2. Altered source versions must be plainly marked as such, and must not be * misrepresented as being the original software. * 3. This notice may not be removed or altered from any source distribution. */ #ifndef B2_COLLISION_H #define B2_COLLISION_H #include "../Common/b2Math.h" #include "limits.h" /// @file /// Structures and functions used for computing contact points, distance /// queries, and TOI queries. class b2Shape; class b2CircleShape; class b2PolygonShape; class b2EdgeShape; const uint8 b2_nullFeature = UCHAR_MAX; /// Contact ids to facilitate warm starting. union b2ContactID { /// The features that intersect to form the contact point struct Features { uint8 referenceEdge; ///< The edge that defines the outward contact normal. uint8 incidentEdge; ///< The edge most anti-parallel to the reference edge. uint8 incidentVertex; ///< The vertex (0 or 1) on the incident edge that was clipped. uint8 flip; ///< A value of 1 indicates that the reference edge is on shape2. } features; uint32 key; ///< Used to quickly compare contact ids. }; /// A manifold point is a contact point belonging to a contact /// manifold. It holds details related to the geometry and dynamics /// of the contact points. /// The local point usage depends on the manifold type: /// -e_circles: the local center of circleB /// -e_faceA: the local center of cirlceB or the clip point of polygonB /// -e_faceB: the clip point of polygonA /// This structure is stored across time steps, so we keep it small. /// Note: the impulses are used for internal caching and may not /// provide reliable contact forces, especially for high speed collisions. struct b2ManifoldPoint { b2Vec2 m_localPoint; ///< usage depends on manifold type float32 m_normalImpulse; ///< the non-penetration impulse float32 m_tangentImpulse; ///< the friction impulse b2ContactID m_id; ///< uniquely identifies a contact point between two shapes }; /// A manifold for two touching convex shapes. /// Box2D supports multiple types of contact: /// - clip point versus plane with radius /// - point versus point with radius (circles) /// The local point usage depends on the manifold type: /// -e_circles: the local center of circleA /// -e_faceA: the center of faceA /// -e_faceB: the center of faceB /// Similarly the local normal usage: /// -e_circles: not used /// -e_faceA: the normal on polygonA /// -e_faceB: the normal on polygonB /// We store contacts in this way so that position correction can /// account for movement, which is critical for continuous physics. /// All contact scenarios must be expressed in one of these types. /// This structure is stored across time steps, so we keep it small. struct b2Manifold { enum Type { e_circles, e_faceA, e_faceB }; b2ManifoldPoint m_points[b2_maxManifoldPoints]; ///< the points of contact b2Vec2 m_localPlaneNormal; ///< not use for Type::e_points b2Vec2 m_localPoint; ///< usage depends on manifold type Type m_type; int32 m_pointCount; ///< the number of manifold points }; /// This is used to compute the current state of a contact manifold. struct b2WorldManifold { /// Evaluate the manifold with supplied transforms. This assumes /// modest motion from the original state. This does not change the /// point count, impulses, etc. The radii must come from the shapes /// that generated the manifold. void Initialize(const b2Manifold* manifold, const b2XForm& xfA, float32 radiusA, const b2XForm& xfB, float32 radiusB); b2Vec2 m_normal; ///< world vector pointing from A to B b2Vec2 m_points[b2_maxManifoldPoints]; ///< world contact point (point of intersection) }; /// This is used for determining the state of contact points. enum b2PointState { b2_nullState, ///< point does not exist b2_addState, ///< point was added in the update b2_persistState, ///< point persisted across the update b2_removeState ///< point was removed in the update }; /// Compute the point states given two manifolds. The states pertain to the transition from manifold1 /// to manifold2. So state1 is either persist or remove while state2 is either add or persist. void b2GetPointStates(b2PointState state1[b2_maxManifoldPoints], b2PointState state2[b2_maxManifoldPoints], const b2Manifold* manifold1, const b2Manifold* manifold2); /// Used for computing contact manifolds. struct b2ClipVertex { b2Vec2 v; b2ContactID id; }; /// Ray-cast input data. struct b2RayCastInput { b2Vec2 p1, p2; float32 maxFraction; }; /// Ray-cast output data. struct b2RayCastOutput { b2Vec2 normal; float32 fraction; bool hit; }; /// A line segment. struct b2Segment { /// Ray cast against this segment with another segment. bool TestSegment(float32* lambda, b2Vec2* normal, const b2Segment& segment, float32 maxLambda) const; b2Vec2 p1; ///< the starting point b2Vec2 p2; ///< the ending point }; /// An axis aligned bounding box. struct b2AABB { /// Verify that the bounds are sorted. bool IsValid() const; /// Get the center of the AABB. b2Vec2 GetCenter() const { return 0.5f * (lowerBound + upperBound); } /// Get the extents of the AABB (half-widths). b2Vec2 GetExtents() const { return 0.5f * (upperBound - lowerBound); } /// Combine two AABBs into this one. void Combine(const b2AABB& aabb1, const b2AABB& aabb2) { lowerBound = b2Min(aabb1.lowerBound, aabb2.lowerBound); upperBound = b2Max(aabb1.upperBound, aabb2.upperBound); } /// Does this aabb contain the provided AABB. bool Contains(const b2AABB& aabb) { bool result = true; result = result && lowerBound.x <= aabb.lowerBound.x; result = result && lowerBound.y <= aabb.lowerBound.y; result = result && aabb.upperBound.x <= upperBound.x; result = result && aabb.upperBound.y <= upperBound.y; return result; } void RayCast(b2RayCastOutput* output, const b2RayCastInput& input); b2Vec2 lowerBound; ///< the lower vertex b2Vec2 upperBound; ///< the upper vertex }; /// Compute the collision manifold between two circles. void b2CollideCircles(b2Manifold* manifold, const b2CircleShape* circle1, const b2XForm& xf1, const b2CircleShape* circle2, const b2XForm& xf2); /// Compute the collision manifold between a polygon and a circle. void b2CollidePolygonAndCircle(b2Manifold* manifold, const b2PolygonShape* polygon, const b2XForm& xf1, const b2CircleShape* circle, const b2XForm& xf2); /// Compute the collision manifold between two polygons. void b2CollidePolygons(b2Manifold* manifold, const b2PolygonShape* polygon1, const b2XForm& xf1, const b2PolygonShape* polygon2, const b2XForm& xf2); /// Compute the collision manifold between an edge and a circle. void b2CollideEdgeAndCircle(b2Manifold* manifold, const b2EdgeShape* edge, const b2XForm& xf1, const b2CircleShape* circle, const b2XForm& xf2); /// Compute the collision manifold between a polygon and an edge. void b2CollidePolyAndEdge(b2Manifold* manifold, const b2PolygonShape* poly, const b2XForm& xf1, const b2EdgeShape* edge, const b2XForm& xf2); /// Clipping for contact manifolds. int32 b2ClipSegmentToLine(b2ClipVertex vOut[2], const b2ClipVertex vIn[2], const b2Vec2& normal, float32 offset); // ---------------- Inline Functions ------------------------------------------ inline bool b2AABB::IsValid() const { b2Vec2 d = upperBound - lowerBound; bool valid = d.x >= 0.0f && d.y >= 0.0f; valid = valid && lowerBound.IsValid() && upperBound.IsValid(); return valid; } inline bool b2TestOverlap(const b2AABB& a, const b2AABB& b) { b2Vec2 d1, d2; d1 = b.lowerBound - a.upperBound; d2 = a.lowerBound - b.upperBound; if (d1.x > 0.0f || d1.y > 0.0f) return false; if (d2.x > 0.0f || d2.y > 0.0f) return false; return true; } #endif
[ "w.shackleton@gmail.com" ]
w.shackleton@gmail.com
737b587b21eba7b9193bdd6f2ad5eaa6442c61e8
5a2349399fa9d57c6e8cc6e0f7226d683391a362
/src/qt/qtwebkit/Source/WebCore/loader/NavigationScheduler.h
620a725ea7afeac5a121868afc21d5ecd56b2116
[ "BSD-2-Clause", "LGPL-2.1-only", "LGPL-2.0-only", "BSD-3-Clause" ]
permissive
aharthcock/phantomjs
e70f3c379dcada720ec8abde3f7c09a24808154c
7d7f2c862347fbc7215c849e790290b2e07bab7c
refs/heads/master
2023-03-18T04:58:32.428562
2023-03-14T05:52:52
2023-03-14T05:52:52
24,828,890
0
0
BSD-3-Clause
2023-03-14T05:52:53
2014-10-05T23:38:56
C++
UTF-8
C++
false
false
3,641
h
/* * Copyright (C) 2006, 2007, 2008, 2009 Apple Inc. All rights reserved. * Copyright (C) 2008, 2009 Torch Mobile Inc. All rights reserved. (http://www.torchmobile.com/) * Copyright (C) 2009 Adam Barth. All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * 3. Neither the name of Apple Computer, Inc. ("Apple") nor the names of * its contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY APPLE AND ITS CONTRIBUTORS "AS IS" AND ANY * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE * DISCLAIMED. IN NO EVENT SHALL APPLE OR ITS CONTRIBUTORS BE LIABLE FOR ANY * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF * THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ #ifndef NavigationScheduler_h #define NavigationScheduler_h #include "Timer.h" #include <wtf/Forward.h> #include <wtf/Noncopyable.h> #include <wtf/OwnPtr.h> #include <wtf/PassOwnPtr.h> #include <wtf/PassRefPtr.h> namespace WebCore { class FormSubmission; class Frame; class ScheduledNavigation; class SecurityOrigin; class NavigationDisablerForBeforeUnload { WTF_MAKE_NONCOPYABLE(NavigationDisablerForBeforeUnload); public: NavigationDisablerForBeforeUnload() { s_navigationDisableCount++; } ~NavigationDisablerForBeforeUnload() { ASSERT(s_navigationDisableCount); s_navigationDisableCount--; } static bool isNavigationAllowed() { return !s_navigationDisableCount; } private: static unsigned s_navigationDisableCount; }; class NavigationScheduler { WTF_MAKE_NONCOPYABLE(NavigationScheduler); public: explicit NavigationScheduler(Frame*); ~NavigationScheduler(); bool redirectScheduledDuringLoad(); bool locationChangePending(); void scheduleRedirect(double delay, const String& url); void scheduleLocationChange(SecurityOrigin*, const String& url, const String& referrer, bool lockHistory = true, bool lockBackForwardList = true); void scheduleFormSubmission(PassRefPtr<FormSubmission>); void scheduleRefresh(); void scheduleHistoryNavigation(int steps); void startTimer(); void cancel(bool newLoadInProgress = false); void clear(); private: bool shouldScheduleNavigation() const; bool shouldScheduleNavigation(const String& url) const; void timerFired(Timer<NavigationScheduler>*); void schedule(PassOwnPtr<ScheduledNavigation>); static bool mustLockBackForwardList(Frame* targetFrame); Frame* m_frame; Timer<NavigationScheduler> m_timer; OwnPtr<ScheduledNavigation> m_redirect; }; } // namespace WebCore #endif // NavigationScheduler_h
[ "ariya.hidayat@gmail.com" ]
ariya.hidayat@gmail.com
eaf2c86db5c3b02ff7405815f63f2b67b7adc766
3bbb9fbec252c12af7d647a8e49d50633bf40863
/L7HW7/DList_test.h
200857c8a4ec1cd8498fa1940c4659e4dab86a4a
[]
no_license
jgreer013/Data_Structures
7e67bc9b22b8c0b9092c2229b6c04c603265678b
2baafa41a3bafbaed7c81eccb4dcef342d6f918f
refs/heads/master
2021-01-01T05:46:33.250768
2016-04-28T22:17:50
2016-04-28T22:17:50
57,333,776
0
0
null
null
null
null
UTF-8
C++
false
false
15,284
h
#ifndef DLIST_TEST_H #define DLIST_TEST_H #include "DList.h" #include <stdexcept> // Needed for space removal. #include <sstream> #include <algorithm> #include <cxxtest/TestSuite.h> #include <ctime> using namespace std; // This requires CxxTest to be installed! // For this CPPVideos example, navigate your terminal to CPPVideos and type: // git submodule add https://github.com/CxxTest/cxxtest.git // This will add the public CxxTest repository INSIDE the current repo. // The current Makefile in this directory assumes cxxtest is a folder one // level down. const int SIZE = 2000; // Size of Linked List to test speed. class DListConCopyAssign : public CxxTest::TestSuite { public: // Constructor tests void testEmpty() { DList<int> a; TS_ASSERT_EQUALS(a.size(), 0); } // Copy Constructor void testCopy() { DList<int> a; a.push_back(5); DList<int> b(a); TS_ASSERT_EQUALS(a.size(), 1); TS_ASSERT_EQUALS(b.size(), 1); } void testCopy1() { DList<int> a; a.push_back(5); DList<int> b(a); TS_ASSERT_EQUALS(a.size(), 1); TS_ASSERT_EQUALS(b.size(), 1); a.push_front(10); TS_ASSERT_EQUALS(a.size(), 2); TS_ASSERT_EQUALS(b.size(), 1); } void testCopy2() { DList<int> a; a.push_back(5); a.push_back(6); a.push_back(7); a.push_back(8); DList<int> b(a); TS_ASSERT_EQUALS(a.size(), 4); TS_ASSERT_EQUALS(b.size(), 4); TS_ASSERT_EQUALS(a.getAt(3), 8); TS_ASSERT_EQUALS(b.getAt(3), 8); } // Assignment void testAssign() { DList<int> a; a.push_back(5); DList<int> b; b.push_back(10); a = b; TS_ASSERT_EQUALS(a.size(), 1); TS_ASSERT_EQUALS(b.size(), 1); TS_ASSERT_EQUALS(a.getAt(0), 10); TS_ASSERT_EQUALS(b.getAt(0), 10); } void testAssign1() { DList<int> a; a.push_back(5); a = a; TS_ASSERT_EQUALS(a.size(), 1); } }; class DListPushes : public CxxTest::TestSuite { public: void testPushBack1() { DList<int> a; TS_ASSERT_EQUALS(a.size(), 0); } void testPushBack2() { DList<int> a; a.push_back(5); TS_ASSERT_EQUALS(a.size(), 1); a.push_back(6); TS_ASSERT_EQUALS(a.size(), 2); } void testPushBack3() { DList<string> a; a.push_back("hi"); TS_ASSERT_EQUALS(a.size(), 1); a.push_back("bib"); TS_ASSERT_EQUALS(a.size(), 2); a.push_back("bill"); TS_ASSERT_EQUALS(a.size(), 3); } void testPushFront2() { DList<int> a; a.push_front(5); TS_ASSERT_EQUALS(a.size(), 1); a.push_front(6); TS_ASSERT_EQUALS(a.size(), 2); } void testPushFront3() { DList<int> a; a.push_front(5); TS_ASSERT_EQUALS(a.size(), 1); a.push_front(6); TS_ASSERT_EQUALS(a.size(), 2); a.push_front(7); TS_ASSERT_EQUALS(a.size(), 3); } }; class DListSetAt : public CxxTest::TestSuite { public: void testSet1() { DList<int> a; a.push_back(5); a.push_back(6); a.setAt(10,0); TS_ASSERT_EQUALS(a.getAt(0), 10); TS_ASSERT_EQUALS(a.getAt(1), 6); } void testSet2() { DList<int> a; a.push_back(5); a.push_back(6); TS_ASSERT_THROWS_ANYTHING(a.setAt(99,2)); } void testSet3() { DList<int> a; a.push_back(5); a.push_back(6); TS_ASSERT_THROWS_ANYTHING(a.setAt(99,-3)); } void testSet4() { DList<int> a; a.push_back(5); a.push_back(6); a.setAt(10,-1); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(a.getAt(1), 10); } void testSet5() { DList<int> a; a.push_back(5); a.push_back(6); a.setAt(10,-2); TS_ASSERT_EQUALS(a.getAt(0), 10); TS_ASSERT_EQUALS(a.getAt(1), 6); } void testGetAt1() { DList<int> a; TS_ASSERT_THROWS_ANYTHING(a.getAt(0)); } void testGetAt2() { DList<int> a; a.push_back(5); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(a.getAt(-1), 5); TS_ASSERT_THROWS_ANYTHING(a.getAt(-2)); } void testGetAt3() { DList<int> a; a.push_back(5); a.push_back(6); a.push_back(7); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(a.getAt(1), 6); TS_ASSERT_EQUALS(a.getAt(2), 7); TS_ASSERT_EQUALS(a.getAt(-1), 7); TS_ASSERT_EQUALS(a.getAt(-2), 6); TS_ASSERT_EQUALS(a.getAt(-3), 5); TS_ASSERT_THROWS_ANYTHING(a.getAt(-4)); } void testGetAtSpeed1() { DList<int> a; for(int i = 0 ; i < SIZE; i++){ a.push_front(i*2); } // How fast is accessing the first element? int sum = 0; clock_t first_start = clock(); for(int i = 0 ; i < SIZE; i++){ sum += a.getAt(0); } clock_t first_stop = clock(); // How fast for the second to last? int sum2 = 0; clock_t last2_start = clock(); for(int i = 0 ; i < SIZE; i++){ sum2 += a.getAt(-2); } clock_t last2_stop = clock(); //TS_ASSERT_DELTA(first_stop - first_start, last2_stop - last2_start, 100); TS_ASSERT_LESS_THAN(last2_stop - last2_start - 500, first_stop - first_start); } void testSetAtSpeed1() { DList<int> a; for(int i = 0 ; i < SIZE; i++){ a.push_front(i*2); } // How fast is accessing the beginning elements? clock_t first_start = clock(); for(int i = 0 ; i < SIZE/5; i++){ a.setAt(42,i); } clock_t first_stop = clock(); // How fast for accessing the last elements? clock_t last2_start = clock(); for(int i = 0 ; i < SIZE/5; i++){ a.setAt(42,SIZE - i - 1); } clock_t last2_stop = clock(); //TS_ASSERT_DELTA(first_stop - first_start, last2_stop - last2_start, 500); TS_ASSERT_LESS_THAN(last2_stop - last2_start - 500, first_stop - first_start); } }; class DListRemove : public CxxTest::TestSuite { public: void testRemove1() { DList<int> a; TS_ASSERT_EQUALS(a.size(), 0); TS_ASSERT_THROWS_ANYTHING(a.remove(0)); } void testRemove2() { DList<int> a; a.push_front(5); TS_ASSERT_EQUALS(a.size(), 1); a.remove(0); TS_ASSERT_EQUALS(a.size(), 0); } void testRemove3() { DList<int> a; a.push_front(5); TS_ASSERT_EQUALS(a.size(), 1); a.remove(-1); TS_ASSERT_EQUALS(a.size(), 0); } void testRemove4() { DList<int> a; a.push_front(5); a.push_back(6); a.push_back(7); TS_ASSERT_EQUALS(a.size(), 3); a.remove(-1); TS_ASSERT_EQUALS(a.size(), 2); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(a.getAt(1), 6); TS_ASSERT_THROWS_ANYTHING(a.getAt(2)); } void testRemove5() { DList<int> a; a.push_front(5); a.push_back(6); a.push_back(7); TS_ASSERT_EQUALS(a.size(), 3); a.remove(1); TS_ASSERT_EQUALS(a.size(), 2); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(a.getAt(1), 7); } void testRemove6() { DList<int> a; a.push_front(5); a.push_back(6); a.push_back(7); TS_ASSERT_EQUALS(a.size(), 3); a.remove(-2); TS_ASSERT_EQUALS(a.size(), 2); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(a.getAt(1), 7); } void testRemove7() { DList<int> a; a.push_front(5); a.push_back(6); a.push_back(7); TS_ASSERT_EQUALS(a.size(), 3); a.remove(-1); TS_ASSERT_EQUALS(a.size(), 2); a.remove(-1); TS_ASSERT_EQUALS(a.size(), 1); a.remove(-1); TS_ASSERT_EQUALS(a.size(), 0); TS_ASSERT_THROWS_ANYTHING(a.remove(-1)); } void testRemoveSpeed1() { DList<int> a; for(int i = 0 ; i < SIZE; i++){ a.push_front(i*2); } // How fast is deleting the first element? clock_t first_start = clock(); for(int i = 0 ; i < SIZE/5; i++){ a.remove(0); } clock_t first_stop = clock(); // How fast removing the last element? clock_t last2_start = clock(); for(int i = 0 ; i < SIZE/5; i++){ a.remove(-1); } clock_t last2_stop = clock(); //TS_ASSERT_DELTA(first_stop - first_start, last2_stop - last2_start, 500); TS_ASSERT_LESS_THAN(last2_stop - last2_start - 500, first_stop - first_start); } void testRemoveSpeed2() { DList<int> a; const int SIZE = 1000; for(int i = 0 ; i < SIZE; i++){ a.push_front(i*2); } // How fast is deleting the first element? clock_t first_start = clock(); for(int i = 0 ; i < SIZE/5; i++){ a.remove(0); } clock_t first_stop = clock(); // How fast removing the last element? clock_t last2_start = clock(); for(int i = 0 ; i < SIZE/5; i++){ a.remove(-2); } clock_t last2_stop = clock(); //TS_ASSERT_DELTA(first_stop - first_start, last2_stop - last2_start, 500); TS_ASSERT_LESS_THAN(last2_stop - last2_start - 500, first_stop - first_start); } }; class DListReverse : public CxxTest::TestSuite { public: void testRev0() { DList<int> a; DList<int> b = a.reverse(); TS_ASSERT_EQUALS(a.size(), 0); TS_ASSERT_EQUALS(b.size(), 0); } void testRev1() { DList<int> a; a.push_back(5); DList<int> b = a.reverse(); TS_ASSERT_EQUALS(a.size(), 1); TS_ASSERT_EQUALS(b.size(), 1); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(b.getAt(0), 5); } void testRev2() { DList<int> a; a.push_back(5); a.push_back(6); DList<int> b = a.reverse(); TS_ASSERT_EQUALS(a.size(), 2); TS_ASSERT_EQUALS(b.size(), 2); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(b.getAt(0), 6); TS_ASSERT_EQUALS(a.getAt(1), 6); TS_ASSERT_EQUALS(b.getAt(1), 5); } void testRev3() { DList<int> a; a.push_back(5); a.push_back(6); a.push_back(7); DList<int> b = a.reverse(); TS_ASSERT_EQUALS(a.size(), 3); TS_ASSERT_EQUALS(b.size(), 3); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(b.getAt(0), 7); TS_ASSERT_EQUALS(a.getAt(1), 6); TS_ASSERT_EQUALS(b.getAt(1), 6); TS_ASSERT_EQUALS(a.getAt(2), 7); TS_ASSERT_EQUALS(b.getAt(2), 5); } void testRev4() { DList<int> a; a.push_back(5); a.push_back(6); a.push_back(7); a.push_back(8); DList<int> b = a.reverse(); TS_ASSERT_EQUALS(a.size(), 4); TS_ASSERT_EQUALS(b.size(), 4); TS_ASSERT_EQUALS(a.getAt(0), 5); TS_ASSERT_EQUALS(b.getAt(0), 8); TS_ASSERT_EQUALS(a.getAt(1), 6); TS_ASSERT_EQUALS(b.getAt(1), 7); TS_ASSERT_EQUALS(a.getAt(2), 7); TS_ASSERT_EQUALS(b.getAt(2), 6); TS_ASSERT_EQUALS(a.getAt(3), 8); TS_ASSERT_EQUALS(b.getAt(3), 5); } }; class DListAdd : public CxxTest::TestSuite { public: void testAdd0() { DList<int> c = DList<int>() + DList<int>(); TS_ASSERT_EQUALS(c.size(), 0); } void testAdd1() { DList<int> a; a.push_back(5); DList<int> b; b.push_back(10); DList<int> c = a + b; TS_ASSERT_EQUALS(a.size(), 1); TS_ASSERT_EQUALS(b.size(), 1); TS_ASSERT_EQUALS(c.size(), 2); TS_ASSERT_EQUALS(c.getAt(0), 5); TS_ASSERT_EQUALS(c.getAt(1), 10); } void testAdd2() { DList<int> a; DList<int> b; b.push_back(10); b.push_back(11); DList<int> c = a + b; TS_ASSERT_EQUALS(a.size(), 0); TS_ASSERT_EQUALS(b.size(), 2); TS_ASSERT_EQUALS(c.size(), 2); TS_ASSERT_EQUALS(c.getAt(0), 10); TS_ASSERT_EQUALS(c.getAt(1), 11); try{ c.getAt(2); }catch(logic_error& e){ return; } TS_ASSERT(0); } }; class DListEq : public CxxTest::TestSuite { public: void testEq0() { DList<int> a; DList<int> b; TS_ASSERT( a == b); TS_ASSERT( !(a != b)); } void testEq1() { DList<int> a; a.push_back(6); DList<int> b; b.push_front(6); TS_ASSERT( a == b); TS_ASSERT( !(a != b)); } void testEq2() { DList<int> a; a.push_back(6); DList<int> b; TS_ASSERT( a != b); TS_ASSERT( !(a == b)); } void testEq3() { DList<int> a; DList<int> b; b.push_front(6); TS_ASSERT( a != b); TS_ASSERT( !(a == b)); } void testEq4() { DList<int> a; a.push_back(6); DList<int> b; a.push_front(7); TS_ASSERT( a != b); TS_ASSERT( !(a == b)); } void testEq5() { DList<int> a; a.push_front(5); a.push_back(6); DList<int> b; b.push_front(6); b.push_front(5); TS_ASSERT( a == b); TS_ASSERT( !(a != b)); } }; class DListClear : public CxxTest::TestSuite { public: void testClear0() { DList<int> a; a.clear(); TS_ASSERT_EQUALS(a.size(), 0); } void testClear1() { DList<int> a; a.push_back(6); TS_ASSERT_EQUALS(a.size(), 1); a.clear(); TS_ASSERT_EQUALS(a.size(), 0); } void testClear2() { DList<int> a; a.push_back(6); TS_ASSERT_EQUALS(a.size(), 1); a.clear(); TS_ASSERT_EQUALS(a.size(), 0); a.push_back(7); TS_ASSERT_EQUALS(a.getAt(0), 7); } }; class DListStream : public CxxTest::TestSuite { public: void testStream1(){ DList<int> a; a.push_back(5); a.push_back(6); // To test we stream to a stringstream, then remove spaces, then test // the result. stringstream stream; stream << a; string out = stream.str(); out.erase(remove_if(out.begin(), out.end(), ::isspace), out.end()); TS_ASSERT_EQUALS(out, "[5,6]"); } void testStream2(){ DList<int> a; // To test we stream to a stringstream, then remove spaces, then test // the result. stringstream stream; stream << a; string out = stream.str(); out.erase(remove_if(out.begin(), out.end(), ::isspace), out.end()); TS_ASSERT_EQUALS(out, "[]"); } void testStream3(){ DList<float> a; a.push_back(5.5); // To test we stream to a stringstream, then remove spaces, then test // the result. stringstream stream; stream << a; string out = stream.str(); out.erase(remove_if(out.begin(), out.end(), ::isspace), out.end()); TS_ASSERT_EQUALS(out, "[5.5]"); } void testStream4(){ DList<string> a; a.push_back("stuff"); a.push_back("more"); // To test we stream to a stringstream, then remove spaces, then test // the result. stringstream stream; stream << a; string out = stream.str(); out.erase(remove_if(out.begin(), out.end(), ::isspace), out.end()); TS_ASSERT_EQUALS(out, "[stuff,more]"); } void testStream5(){ DList<int> a; a.push_back(5); a.push_back(6); a.push_back(7); // To test we stream to a stringstream, then remove spaces, then test // the result. stringstream stream; stream << a; string out = stream.str(); out.erase(remove_if(out.begin(), out.end(), ::isspace), out.end()); TS_ASSERT_EQUALS(out, "[5,6,7]"); } }; class DListFuzz : public CxxTest::TestSuite { public: void testFuzz() { DList<int> a; const int size = 200; for(int i = 0; i < size; i++){ a.push_back(i); a.push_back(i); a.push_front(i); a.remove(-1); TS_ASSERT_EQUALS(a.size(), (i+1) * 2); } // Make sure the sum is OK Yes, this is very slow! long long int count = 0; for(unsigned int i = 0; i < a.size(); i++){ count = count + a.getAt(i); } TS_ASSERT_EQUALS(count, size * (size - 1)); // Does the count match? TS_ASSERT_EQUALS(a.size(), size * 2); for(int i = 0; i < size; i++){ a.remove(-1); a.remove(0); } TS_ASSERT_EQUALS(a.size(), 0); } }; #endif
[ "greerji@mail.uc.edu" ]
greerji@mail.uc.edu
c99552d353510d60b1fb20017c7c35163d7429f6
c4bb25af13526d3079da2669ce268a9a2f5bedff
/TerraFighterDev/Hud.cpp
0222bf02ba51e0ef151ea9c7507613f5471332b8
[ "Apache-2.0" ]
permissive
cjburchell/terrafighter
3c0c935cebd58d2ede5dbc54fcf83e4938731732
7bbfa22f3616bc0f3a9539afc2af3409e7f524f5
refs/heads/master
2023-04-10T21:30:49.717568
2023-03-28T00:24:12
2023-03-28T00:24:12
243,773,669
0
0
null
null
null
null
UTF-8
C++
false
false
1,408
cpp
// Hud.cpp: implementation of the CHud class. // ////////////////////////////////////////////////////////////////////// #include "Hud.h" #define HUD_HIGHT 64 ////////////////////////////////////////////////////////////////////// // Construction/Destruction ////////////////////////////////////////////////////////////////////// CHud::CHud() : CWinDialog() { } CHud::~CHud() { } void CHud::Display(C2DDraw *pDisplay) { //m_Text1.SetText("test1"); //m_Text2.SetText("test2"); m_Armor.SetProgress(75); m_Armor.SetToolTipText("Armor 75/100"); m_Shields.SetProgress(75); m_Shields.SetToolTipText("Shields 75/100"); CWinDialog::Display(pDisplay); } BOOL CHud::Create(C2DDraw *pDisplay, CWinBaceObj* pParent) { ShowTitleBar(FALSE); CSize size(pDisplay->GetScreenWidth(),HUD_HIGHT); CPoint pos(0,0); if(!CWinDialog::Create(pDisplay,pParent,pos,size,"")) return FALSE; m_Text1.Create(pDisplay,this,CPoint(210,5),CSize(0,0),"Test1"); m_Text2.Create(pDisplay,this,CPoint(210,25),CSize(0,0),"Test2"); m_Status.Create(pDisplay,this,CPoint(100,27),CSize(60,20),"Status"); m_Status.SetButtonResponce(VK_RETURN); m_Armor.Create(pDisplay,this,CPoint(10,5),CSize(32,54),"Armor"); m_Armor.SetColor(D3DCOLOR_XRGB(255,0,0)); m_Shields.Create(pDisplay,this,CPoint(50,5),CSize(32,54),"Shields"); m_Shields.SetColor(D3DCOLOR_XRGB(0,0,255)); return TRUE; } void CHud::Show(BOOL bShow) { }
[ "cjburchell@yahoo.com" ]
cjburchell@yahoo.com
827c659f56f034ddea4e3ec7aee63daca77fe8f1
522a944acfc5798d6fb70d7a032fbee39cc47343
/d6k/trunk/src/scdsvc/db_svc.h
cbbd0ddcd5ad28c3be7401632c3a0c3769d03d71
[]
no_license
liuning587/D6k2.0master
50275acf1cb0793a3428e203ac7ff1e04a328a50
254de973a0fbdd3d99b651ec1414494fe2f6b80f
refs/heads/master
2020-12-30T08:21:32.993147
2018-03-30T08:20:50
2018-03-30T08:20:50
null
0
0
null
null
null
null
GB18030
C++
false
false
7,063
h
/*! @file db_svc.h <PRE> ******************************************************************************** 模块名 : 文件名 : db_svc.h 文件实现功能 : 内存数据库 作者 : LiJin 版本 : V1.00 -------------------------------------------------------------------------------- 备注 : 注意:与前置结构不同的是,node由db_svc这一层来管理 -------------------------------------------------------------------------------- 修改记录 : 日 期 版本 修改人 修改内容 ******************************************************************************** </PRE> * @brief 内存数据库 * @author LiJin * @version 1.0 * @date 2016.11.01 *******************************************************************************/ #ifndef DBSVC_MODULE_H #define DBSVC_MODULE_H #include "base_module.h" #include "data_def.h" #include "sharemem.h" #include <memory> #include <vector> #include <map> #include <QDomElement> #include <ace/Event.h> struct NODE; class CFesDB; class CServerDB; class CClientDB; class CScadaDB; struct TAG_OCCNO; struct SAPP; typedef std::shared_ptr<SAPP> APP_INFO_DEF; typedef std::shared_ptr<TAG_OCCNO> TAG_OCCNO_DEF; using AIN_ALARM_DEF = std::shared_ptr<AIN_ALARM>; using DIN_ALARM_DEF = std::shared_ptr<DIN_ALARM>; using AIN_ALARM_LIMIT_DEF = std::shared_ptr<AIN_ALARM_LIMIT>; using DIN_ALARM_LIMIT_DEF = std::shared_ptr<DIN_ALARM_LIMIT>; struct SyncDataInfo; class CDbSvc : public CBaseModule { public: CDbSvc(CScadaSvc* pServer, const std::string &szMailBoxName, int &MailID); virtual ~CDbSvc(void); public: virtual bool Initialize(const char *pszDataPath, unsigned int nMode); virtual void Run(); virtual void Shutdown(); public: bool IsDBAlive(unsigned int nTimeout); void CreateMailBoxs(); void DestroyMailBoxs(); bool LoadApplications(); // 获取本机的节点 CServerDB * GetMyNodeDB(); int32u GetMyNodeOccNo()const { return m_nMyNodeOccNo; } size_t GetNodeCount() const { return m_nNodeCount; } std::pair<unsigned int, NODE*> GetNodeData() { return std::make_pair(m_nNodeCount, m_pNodes); } size_t GetNodeAppSize(std::vector<std::string > & arrNames); bool GetNodeTagNameByOccNo(int32u nOccNo,std::string& tagName) const; int32u GetNodeOccNoByTagName(const std::string& tagName) const; public: bool GetAinAlarmByOccNo(int32u nNodeOccNo,int32u nOccNo,AIN_ALARM** pAin); bool GetAinAlarmLimitByOccNo(int32u nNodeOccNo, int32u nOccNo,AIN_ALARM_LIMIT** pAinLimit); bool GetDinAlarmByOccNo(int32u nNodeOccNo, int32u nOccNo,DIN_ALARM** pDin); bool GetDinAlarmLimitByOccNo(int32u nNodeOccNo, int32u nOccNo,DIN_ALARM_LIMIT** pDinLimit); int GetNodeAppCount(int nOccNo); SAPP * GetNodeAppAddr(int32u nOccNo,int nIndex); public: // 更新测值 // 注意,不要整个进行memcpy,只进行有效的几个数据进行更新。 bool UpdateNode(NODE *pNode); bool UpdateChannel(int32u nNodeOccNo, CHANNEL *pChannel); bool UpdateDevice(int32u nNodeOccNo, DEVICE *pDevice); bool UpdateAinValue(int32u nNodeOccNo, int32u nAinOccNo, fp64 nVal); bool UpdateDinValue(int32u nNodeOccNo, int32u nOccNo, int8u nVal); bool UpdateUserVarValue(int32u nNodeOccNo, int32u nAinOccNo, fp64 nVal); bool UpdateSysVarValue(int32u nNodeOccNo, int32u nAinOccNo, fp64 nVal); bool UpdateChannelInfo(int32u nNodeOccNo, int32u nChannelOccNo, SyncDataInfo nVal); bool UpdateDeviceInfo(int32u nNodeOccNo, int32u nDeviceOccNo, SyncDataInfo nVal); protected: //加载整个工程文件 bool LoadProject(const char *pszFilePath); //加载节点配置文件 bool LoadNodeFile(const char *pszFilePath); //创建scada内存文件 bool BuildScdMem(const char* pszFilePath); //创建节点内存文件 bool BuildNodeMem(const char *pszFilePath); //创建各节点tagname bool BuildTagNameMen(const char* pszFilePath); //根据OccNo获取前置内存结构 std::shared_ptr<CFesDB> GetFesDbByOccNo(int nOccNo); //获取每个节点内存大小 size_t GetNodeSizeByOccNO(int nOccNo); //创建节点信息 size_t BuildNodeDB(char* pAddr); //创建节点内存概述信息 size_t BuildNodeGIInfo(char* pAddr,NODE_TYPE nType); //创建节点内存具体厂站设备点信息 size_t BuildNodeTotalInfo(char* pAddr,NODE_TYPE nType); size_t BuildAppDB(char* pAddr); size_t BuildAppNodeDB(char* pAddr,int32u nOccNo,std::vector<std::shared_ptr<SAPP>>& arrAppNodes); size_t BuildTagNameDB(char* pAddress, std::vector<TAG_OCCNO_DEF>& vec); virtual void MainLoop(); private: //节点内存开辟模块 std::shared_ptr<CShareMem> m_pMem; //tagname内存开辟 std::shared_ptr<CShareMem> m_pTagNameMem; //各工作站变量缓存和scada变量缓存 std::shared_ptr<CShareMem> m_pScadaMem; //scada存活标记 std::shared_ptr<ACE_Event> m_pDBAliveFlag; ACE_Event m_DBAliveFlag; private: std::vector<std::shared_ptr<CFesDB>> m_arrFesDB; std::vector<std::shared_ptr<CServerDB>> m_arrServerDB; //! server 只有一个 std::vector<std::shared_ptr<CClientDB>> m_arrClientDB; std::vector<std::shared_ptr<NODE>> m_arrTempNodes; private: NODE_MEM* m_pNodeInfo; CFesDB* m_pFesDB; CServerDB* m_pSvrDB; CClientDB* m_pClientDB; int32u m_nMyNodeOccNo; // 共享内存中的各数据的排布 NODE* m_pNodes; unsigned int m_nNodeCount; private: //节点层次管理,可以获取所有节点映射关系 NODE_GRP_MGR_DEF m_pNodeGrpMgr; //从工程文件中读取所有前置文件列表,供验证使用 std::vector < std ::string > m_arrTempFesTagNames; //OccNo映射到fes配置文件 std::map < int32u, QString >m_mapFesConfig; //OccNo映射到scada配置文件 std::map<int32u, QString> m_mapScdConfig; //OccNO映射到workstationswen文件 std::map<int32u, QString> m_mapWorkStationConfig; //通过OccNo找到对应的节点大小 std::map<int32u, size_t> m_mapNodeSize; //通过OccNo找到对应的前置关系 std::map < int32u, std::shared_ptr<CFesDB> > m_mapFes; //通过occno找到对应的scada std::map < int32u, std::shared_ptr<CServerDB>>m_mapServer; //通过occno找到对应workstation std::map < int32u, std::shared_ptr<CClientDB>>m_mapClient; //occno :: tagname std::map<int32u, std::string> m_MapID2String; //tagname :: occno std::map<std::string, int32u> m_MapString2ID; //node tag_occno std::vector<TAG_OCCNO_DEF> m_arrNodeTagName; std::map < int32u, std::vector<std::shared_ptr< SAPP > > > m_mapApps; //内存中映射地址 std::map<int32u, SAPP*> m_arrAppAddr; std::map<int32u, int> m_arrAppNums; private: bool LoadServer(QDomElement nEle, NODE_GROUP_DEF pGrp); bool LoadClient(QDomElement nEle, NODE_GROUP_DEF pGrp); bool LoadFes(QDomElement nEle, NODE_GROUP_DEF pGrp); bool LoadGroup(QDomElement nEle, NODE_GROUP_DEF pGrp); bool LoadNode(QDomElement nEle, NODE_GROUP_DEF pGrp); bool LoadApps(QDomElement nEle,int32u nOccNo); bool CheckOccNoExist(int32u nOccNo); private: QDomElement m_DomServer; QDomElement m_DomClient; QDomElement m_DomFes; }; #endif // _DBGSVR_MODULE_H /** @}*/
[ "xingzhibing_ab@hotmail.com" ]
xingzhibing_ab@hotmail.com
885b767de43ead190ae38021474c01f86db398a1
bbec37e5e33e93fd9f3144527ee98fa7eca9bd42
/hal/src/main/native/athena/Encoder.cpp
bf3a273e896f12b29f1263689d6097b5ee17ed05
[ "BSD-3-Clause" ]
permissive
RishabRao/allwpilib
a8a5c0ee66d6d00df9fe3d1f2352270f13667cae
7daf2daade78c34dfc1bad161e107328c3c935dc
refs/heads/master
2020-08-28T05:53:24.435731
2019-10-27T23:50:26
2019-10-27T23:50:26
203,039,549
0
0
NOASSERTION
2019-08-18T18:05:42
2019-08-18T18:05:42
null
UTF-8
C++
false
false
14,754
cpp
/*----------------------------------------------------------------------------*/ /* Copyright (c) 2016-2019 FIRST. All Rights Reserved. */ /* Open Source Software - may be modified and shared by FRC teams. The code */ /* must be accompanied by the FIRST BSD license file in the root directory of */ /* the project. */ /*----------------------------------------------------------------------------*/ #include "hal/Encoder.h" #include "EncoderInternal.h" #include "FPGAEncoder.h" #include "HALInitializer.h" #include "PortsInternal.h" #include "hal/ChipObject.h" #include "hal/Counter.h" #include "hal/Errors.h" #include "hal/handles/LimitedClassedHandleResource.h" using namespace hal; Encoder::Encoder(HAL_Handle digitalSourceHandleA, HAL_AnalogTriggerType analogTriggerTypeA, HAL_Handle digitalSourceHandleB, HAL_AnalogTriggerType analogTriggerTypeB, bool reverseDirection, HAL_EncoderEncodingType encodingType, int32_t* status) { m_encodingType = encodingType; switch (encodingType) { case HAL_Encoder_k4X: { m_encodingScale = 4; m_encoder = HAL_InitializeFPGAEncoder( digitalSourceHandleA, analogTriggerTypeA, digitalSourceHandleB, analogTriggerTypeB, reverseDirection, &m_index, status); if (*status != 0) { return; } m_counter = HAL_kInvalidHandle; SetMaxPeriod(.5, status); break; } case HAL_Encoder_k1X: case HAL_Encoder_k2X: { SetupCounter(digitalSourceHandleA, analogTriggerTypeA, digitalSourceHandleB, analogTriggerTypeB, reverseDirection, encodingType, status); m_encodingScale = encodingType == HAL_Encoder_k1X ? 1 : 2; break; } default: *status = PARAMETER_OUT_OF_RANGE; return; } } void Encoder::SetupCounter(HAL_Handle digitalSourceHandleA, HAL_AnalogTriggerType analogTriggerTypeA, HAL_Handle digitalSourceHandleB, HAL_AnalogTriggerType analogTriggerTypeB, bool reverseDirection, HAL_EncoderEncodingType encodingType, int32_t* status) { m_encodingScale = encodingType == HAL_Encoder_k1X ? 1 : 2; m_counter = HAL_InitializeCounter(HAL_Counter_kExternalDirection, &m_index, status); if (*status != 0) return; HAL_SetCounterMaxPeriod(m_counter, 0.5, status); if (*status != 0) return; HAL_SetCounterUpSource(m_counter, digitalSourceHandleA, analogTriggerTypeA, status); if (*status != 0) return; HAL_SetCounterDownSource(m_counter, digitalSourceHandleB, analogTriggerTypeB, status); if (*status != 0) return; if (encodingType == HAL_Encoder_k1X) { HAL_SetCounterUpSourceEdge(m_counter, true, false, status); HAL_SetCounterAverageSize(m_counter, 1, status); } else { HAL_SetCounterUpSourceEdge(m_counter, true, true, status); HAL_SetCounterAverageSize(m_counter, 2, status); } HAL_SetCounterDownSourceEdge(m_counter, reverseDirection, true, status); } Encoder::~Encoder() { if (m_counter != HAL_kInvalidHandle) { int32_t status = 0; HAL_FreeCounter(m_counter, &status); } else { int32_t status = 0; HAL_FreeFPGAEncoder(m_encoder, &status); } } // CounterBase interface int32_t Encoder::Get(int32_t* status) const { return static_cast<int32_t>(GetRaw(status) * DecodingScaleFactor()); } int32_t Encoder::GetRaw(int32_t* status) const { if (m_counter) { return HAL_GetCounter(m_counter, status); } else { return HAL_GetFPGAEncoder(m_encoder, status); } } int32_t Encoder::GetEncodingScale(int32_t* status) const { return m_encodingScale; } void Encoder::Reset(int32_t* status) { if (m_counter) { HAL_ResetCounter(m_counter, status); } else { HAL_ResetFPGAEncoder(m_encoder, status); } } double Encoder::GetPeriod(int32_t* status) const { if (m_counter) { return HAL_GetCounterPeriod(m_counter, status) / DecodingScaleFactor(); } else { return HAL_GetFPGAEncoderPeriod(m_encoder, status); } } void Encoder::SetMaxPeriod(double maxPeriod, int32_t* status) { if (m_counter) { HAL_SetCounterMaxPeriod(m_counter, maxPeriod, status); } else { HAL_SetFPGAEncoderMaxPeriod(m_encoder, maxPeriod, status); } } bool Encoder::GetStopped(int32_t* status) const { if (m_counter) { return HAL_GetCounterStopped(m_counter, status); } else { return HAL_GetFPGAEncoderStopped(m_encoder, status); } } bool Encoder::GetDirection(int32_t* status) const { if (m_counter) { return HAL_GetCounterDirection(m_counter, status); } else { return HAL_GetFPGAEncoderDirection(m_encoder, status); } } double Encoder::GetDistance(int32_t* status) const { return GetRaw(status) * DecodingScaleFactor() * m_distancePerPulse; } double Encoder::GetRate(int32_t* status) const { return m_distancePerPulse / GetPeriod(status); } void Encoder::SetMinRate(double minRate, int32_t* status) { SetMaxPeriod(m_distancePerPulse / minRate, status); } void Encoder::SetDistancePerPulse(double distancePerPulse, int32_t* status) { m_distancePerPulse = distancePerPulse; } void Encoder::SetReverseDirection(bool reverseDirection, int32_t* status) { if (m_counter) { HAL_SetCounterReverseDirection(m_counter, reverseDirection, status); } else { HAL_SetFPGAEncoderReverseDirection(m_encoder, reverseDirection, status); } } void Encoder::SetSamplesToAverage(int32_t samplesToAverage, int32_t* status) { if (samplesToAverage < 1 || samplesToAverage > 127) { *status = PARAMETER_OUT_OF_RANGE; return; } if (m_counter) { HAL_SetCounterSamplesToAverage(m_counter, samplesToAverage, status); } else { HAL_SetFPGAEncoderSamplesToAverage(m_encoder, samplesToAverage, status); } } int32_t Encoder::GetSamplesToAverage(int32_t* status) const { if (m_counter) { return HAL_GetCounterSamplesToAverage(m_counter, status); } else { return HAL_GetFPGAEncoderSamplesToAverage(m_encoder, status); } } void Encoder::SetIndexSource(HAL_Handle digitalSourceHandle, HAL_AnalogTriggerType analogTriggerType, HAL_EncoderIndexingType type, int32_t* status) { if (m_counter) { *status = HAL_COUNTER_NOT_SUPPORTED; return; } bool activeHigh = (type == HAL_kResetWhileHigh) || (type == HAL_kResetOnRisingEdge); bool edgeSensitive = (type == HAL_kResetOnFallingEdge) || (type == HAL_kResetOnRisingEdge); HAL_SetFPGAEncoderIndexSource(m_encoder, digitalSourceHandle, analogTriggerType, activeHigh, edgeSensitive, status); } double Encoder::DecodingScaleFactor() const { switch (m_encodingType) { case HAL_Encoder_k1X: return 1.0; case HAL_Encoder_k2X: return 0.5; case HAL_Encoder_k4X: return 0.25; default: return 0.0; } } static LimitedClassedHandleResource<HAL_EncoderHandle, Encoder, kNumEncoders + kNumCounters, HAL_HandleEnum::Encoder>* encoderHandles; namespace hal { namespace init { void InitializeEncoder() { static LimitedClassedHandleResource<HAL_EncoderHandle, Encoder, kNumEncoders + kNumCounters, HAL_HandleEnum::Encoder> eH; encoderHandles = &eH; } } // namespace init } // namespace hal extern "C" { HAL_EncoderHandle HAL_InitializeEncoder( HAL_Handle digitalSourceHandleA, HAL_AnalogTriggerType analogTriggerTypeA, HAL_Handle digitalSourceHandleB, HAL_AnalogTriggerType analogTriggerTypeB, HAL_Bool reverseDirection, HAL_EncoderEncodingType encodingType, int32_t* status) { hal::init::CheckInit(); auto encoder = std::make_shared<Encoder>( digitalSourceHandleA, analogTriggerTypeA, digitalSourceHandleB, analogTriggerTypeB, reverseDirection, encodingType, status); if (*status != 0) return HAL_kInvalidHandle; // return in creation error auto handle = encoderHandles->Allocate(encoder); if (handle == HAL_kInvalidHandle) { *status = NO_AVAILABLE_RESOURCES; return HAL_kInvalidHandle; } return handle; } void HAL_FreeEncoder(HAL_EncoderHandle encoderHandle, int32_t* status) { encoderHandles->Free(encoderHandle); } void HAL_SetEncoderSimDevice(HAL_EncoderHandle handle, HAL_SimDeviceHandle device) {} int32_t HAL_GetEncoder(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->Get(status); } int32_t HAL_GetEncoderRaw(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetRaw(status); } int32_t HAL_GetEncoderEncodingScale(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetEncodingScale(status); } void HAL_ResetEncoder(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return; } encoder->Reset(status); } double HAL_GetEncoderPeriod(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetPeriod(status); } void HAL_SetEncoderMaxPeriod(HAL_EncoderHandle encoderHandle, double maxPeriod, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return; } encoder->SetMaxPeriod(maxPeriod, status); } HAL_Bool HAL_GetEncoderStopped(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetStopped(status); } HAL_Bool HAL_GetEncoderDirection(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetDirection(status); } double HAL_GetEncoderDistance(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetDistance(status); } double HAL_GetEncoderRate(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetRate(status); } void HAL_SetEncoderMinRate(HAL_EncoderHandle encoderHandle, double minRate, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return; } encoder->SetMinRate(minRate, status); } void HAL_SetEncoderDistancePerPulse(HAL_EncoderHandle encoderHandle, double distancePerPulse, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return; } encoder->SetDistancePerPulse(distancePerPulse, status); } void HAL_SetEncoderReverseDirection(HAL_EncoderHandle encoderHandle, HAL_Bool reverseDirection, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return; } encoder->SetReverseDirection(reverseDirection, status); } void HAL_SetEncoderSamplesToAverage(HAL_EncoderHandle encoderHandle, int32_t samplesToAverage, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return; } encoder->SetSamplesToAverage(samplesToAverage, status); } int32_t HAL_GetEncoderSamplesToAverage(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetSamplesToAverage(status); } double HAL_GetEncoderDecodingScaleFactor(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->DecodingScaleFactor(); } double HAL_GetEncoderDistancePerPulse(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetDistancePerPulse(); } HAL_EncoderEncodingType HAL_GetEncoderEncodingType( HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return HAL_Encoder_k4X; // default to k4X } return encoder->GetEncodingType(); } void HAL_SetEncoderIndexSource(HAL_EncoderHandle encoderHandle, HAL_Handle digitalSourceHandle, HAL_AnalogTriggerType analogTriggerType, HAL_EncoderIndexingType type, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return; } encoder->SetIndexSource(digitalSourceHandle, analogTriggerType, type, status); } int32_t HAL_GetEncoderFPGAIndex(HAL_EncoderHandle encoderHandle, int32_t* status) { auto encoder = encoderHandles->Get(encoderHandle); if (encoder == nullptr) { *status = HAL_HANDLE_ERROR; return 0; } return encoder->GetFPGAIndex(); } } // extern "C"
[ "johnson.peter@gmail.com" ]
johnson.peter@gmail.com
c2cfcbaea991a75396aca583e20c84ae5804e817
2452e0375b99a3226f01814c3138c8edf7b3dbd1
/OpenGL/source/CSM/CameraShader.h
78375e6f89608b2203369d9ed4e5c9b70783d81b
[]
no_license
hello-choulvlv/hello-world
ac00931ab6b2e7e921e68875b1b8a918476351a7
29cdc82c847a4ecf5d6051a6bb084260cded5cc7
refs/heads/master
2021-12-29T09:40:58.368942
2021-12-15T04:45:47
2021-12-15T04:45:47
209,924,279
2
3
null
null
null
null
WINDOWS-1252
C++
false
false
2,168
h
/* *³¡¾°äÖȾShader *@date:2017-4-8 *@Author:xiaohuaxiong */ #ifndef __CAMERA_SHADER_H__ #define __CAMERA_SHADER_H__ //#include<engine/Object.h> #include<engine/Geometry.h> #include<engine/GLProgram.h> class CameraShader { private: glk::GLProgram *_renderProgram; //location of uniforms int _modelMatrixLoc; int _viewProjMatrixLoc; int _normalMatrixLoc; int _shadowMapArrayLoc; int _baseMapLoc; int _lightVPSBMatrixLoc; int _normalSegmentsLoc; int _lightDirectionLoc; int _eyePositionLoc; //uniform variable value glk::Matrix _modelMatrix; glk::Matrix _viewProjMatrix; glk::Matrix3 _normalMatrix; unsigned _shadowMapArray; unsigned _baseMap; glk::Matrix _lightVPSBMatrix[4]; glk::GLVector4 _normalSegments; glk::GLVector3 _lightDirection; glk::GLVector3 _eyePosition; private: CameraShader(); bool loadShaderSource(const char *vsFile,const char *fsFile); public: ~CameraShader(); // static CameraShader *createCameraShader(const char *vsFile,const char *fsFile); /* * */ void setModelMatrix(const glk::Matrix &modelMatrix); /* */ void setViewProjMatrix(const glk::Matrix &viewProjMatrix); // void setNormalMatrix(const glk::Matrix3 &normalMatrix); // void setShadowMapArray(const unsigned shadowMapId,const int textureUnit); // void setBaseMap(const unsigned baseMapId,const int textureUnit); // void setLightVPSBMatrix(const glk::Matrix vpsbMatrixArray[4]); // void setNormalSegments(const glk::GLVector4 &normalSegments); // void setLightDirection(const glk::GLVector3 &lightDirection); // void setEyePosition(const glk::GLVector3 &eyePosition); //bind and set uniform values void perform(); }; #endif
[ "xiaoxiong@gmail.com" ]
xiaoxiong@gmail.com
621139852bc5203f62a9037b6665873ef3180d05
12cc723c31f4842f1f7e68e7c84c537bf2f5fce0
/trunk/SGAL/include/math/Vector3.h
6dc0b0fb0a7307c7ea5c92f522aefae65cc0642c
[]
no_license
damody/action-game-design-plaform
98b01b956000a4623b595b5e6ef25687a0feafa7
bb46fcb58f0d9076373e7eca80d2ad08bb26cb79
refs/heads/master
2021-01-01T04:45:17.630002
2015-01-26T12:35:04
2015-01-26T12:35:04
56,483,228
3
0
null
null
null
null
UTF-8
C++
false
false
18,090
h
#pragma once /* ----------------------------------------------------------------------------- This source file is part of OGRE (Object-oriented Graphics Rendering Engine) For the latest info, see http://www.ogre3d.org/ Copyright (c) 2000-2009 Torus Knot Software Ltd Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. ----------------------------------------------------------------------------- */ #include <float.h> #include "BasicMath.h" /** Standard 3-dimensional vector. @remarks A direction in 3D space represented as distances along the 3 orthogonal axes (x, y, z). Note that positions, directions and scaling factors can be represented by a vector, depending on how you interpret the values. */ class Vector3 { public: float x, y, z; public: inline Vector3(): x( 0 ), y( 0 ), z( 0 ) { } inline Vector3( const float fX, const float fY, const float fZ ) : x( fX ), y( fY ), z( fZ ) { } inline explicit Vector3( const float afCoordinate[3] ) : x( afCoordinate[0] ), y( afCoordinate[1] ), z( afCoordinate[2] ) { } inline explicit Vector3( const int afCoordinate[3] ) { x = ( float )afCoordinate[0]; y = ( float )afCoordinate[1]; z = ( float )afCoordinate[2]; } inline explicit Vector3( float* const r ) : x( r[0] ), y( r[1] ), z( r[2] ) { } inline explicit Vector3( const float scaler ) : x( scaler ) , y( scaler ) , z( scaler ) { } /** Exchange the contents of this vector with another. */ inline void swap( Vector3& other ) { std::swap( x, other.x ); std::swap( y, other.y ); std::swap( z, other.z ); } inline float operator [] ( const size_t i ) const { assert( i < 3 ); return *( &x + i ); } inline float& operator [] ( const size_t i ) { assert( i < 3 ); return *( &x + i ); } /// Pointer accessor for direct copying inline float* ptr() { return &x; } /// Pointer accessor for direct copying inline const float* ptr() const { return &x; } /** Assigns the value of the other vector. @param rkVector The other vector */ inline Vector3& operator = ( const Vector3& rkVector ) { x = rkVector.x; y = rkVector.y; z = rkVector.z; return *this; } inline Vector3& operator = ( const float fScaler ) { x = fScaler; y = fScaler; z = fScaler; return *this; } inline bool operator == ( const Vector3& rkVector ) const { return ( x == rkVector.x && y == rkVector.y && z == rkVector.z ); } inline bool operator != ( const Vector3& rkVector ) const { return ( x != rkVector.x || y != rkVector.y || z != rkVector.z ); } // arithmetic operations inline Vector3 operator + ( const Vector3& rkVector ) const { return Vector3( x + rkVector.x, y + rkVector.y, z + rkVector.z ); } inline Vector3 operator - ( const Vector3& rkVector ) const { return Vector3( x - rkVector.x, y - rkVector.y, z - rkVector.z ); } inline Vector3 operator * ( const float fScalar ) const { return Vector3( x * fScalar, y * fScalar, z * fScalar ); } inline Vector3 operator * ( const Vector3& rhs ) const { return Vector3( x * rhs.x, y * rhs.y, z * rhs.z ); } inline Vector3 operator / ( const float fScalar ) const { assert( fScalar != 0.0f ); float fInv = 1.0f / fScalar; return Vector3( x * fInv, y * fInv, z * fInv ); } inline Vector3 operator / ( const Vector3& rhs ) const { return Vector3( x / rhs.x, y / rhs.y, z / rhs.z ); } inline const Vector3& operator + () const { return *this; } inline Vector3 operator - () const { return Vector3( -x, -y, -z ); } // overloaded operators to help Vector3 inline friend Vector3 operator * ( const float fScalar, const Vector3& rkVector ) { return Vector3( fScalar * rkVector.x, fScalar * rkVector.y, fScalar * rkVector.z ); } inline friend Vector3 operator / ( const float fScalar, const Vector3& rkVector ) { return Vector3( fScalar / rkVector.x, fScalar / rkVector.y, fScalar / rkVector.z ); } inline friend Vector3 operator + ( const Vector3& lhs, const float rhs ) { return Vector3( lhs.x + rhs, lhs.y + rhs, lhs.z + rhs ); } inline friend Vector3 operator + ( const float lhs, const Vector3& rhs ) { return Vector3( lhs + rhs.x, lhs + rhs.y, lhs + rhs.z ); } inline friend Vector3 operator - ( const Vector3& lhs, const float rhs ) { return Vector3( lhs.x - rhs, lhs.y - rhs, lhs.z - rhs ); } inline friend Vector3 operator - ( const float lhs, const Vector3& rhs ) { return Vector3( lhs - rhs.x, lhs - rhs.y, lhs - rhs.z ); } // arithmetic updates inline Vector3& operator += ( const Vector3& rkVector ) { x += rkVector.x; y += rkVector.y; z += rkVector.z; return *this; } inline Vector3& operator += ( const float fScalar ) { x += fScalar; y += fScalar; z += fScalar; return *this; } inline Vector3& operator -= ( const Vector3& rkVector ) { x -= rkVector.x; y -= rkVector.y; z -= rkVector.z; return *this; } inline Vector3& operator -= ( const float fScalar ) { x -= fScalar; y -= fScalar; z -= fScalar; return *this; } inline Vector3& operator *= ( const float fScalar ) { x *= fScalar; y *= fScalar; z *= fScalar; return *this; } inline Vector3& operator *= ( const Vector3& rkVector ) { x *= rkVector.x; y *= rkVector.y; z *= rkVector.z; return *this; } inline Vector3& operator /= ( const float fScalar ) { assert( fScalar != 0.0 ); float fInv = 1.0f / fScalar; x *= fInv; y *= fInv; z *= fInv; return *this; } inline Vector3& operator /= ( const Vector3& rkVector ) { x /= rkVector.x; y /= rkVector.y; z /= rkVector.z; return *this; } /** Returns the length (magnitude) of the vector. @warning This operation requires a square root and is expensive in terms of CPU operations. If you don't need to know the exact length (e.g. for just comparing lengths) use squaredLength() instead. */ inline float length () const { return sqrt( x * x + y * y + z * z ); } /** Returns the square of the length(magnitude) of the vector. @remarks This method is for efficiency - calculating the actual length of a vector requires a square root, which is expensive in terms of the operations required. This method returns the square of the length of the vector, i.e. the same as the length but before the square root is taken. Use this if you want to find the longest / shortest vector without incurring the square root. */ inline float squaredLength () const { return x * x + y * y + z * z; } /** Returns the distance to another vector. @warning This operation requires a square root and is expensive in terms of CPU operations. If you don't need to know the exact distance (e.g. for just comparing distances) use squaredDistance() instead. */ inline float distance( const Vector3& rhs ) const { return ( *this - rhs ).length(); } /** Returns the square of the distance to another vector. @remarks This method is for efficiency - calculating the actual distance to another vector requires a square root, which is expensive in terms of the operations required. This method returns the square of the distance to another vector, i.e. the same as the distance but before the square root is taken. Use this if you want to find the longest / shortest distance without incurring the square root. */ inline float squaredDistance( const Vector3& rhs ) const { return ( *this - rhs ).squaredLength(); } /** Calculates the dot (scalar) product of this vector with another. @remarks The dot product can be used to calculate the angle between 2 vectors. If both are unit vectors, the dot product is the cosine of the angle; otherwise the dot product must be divided by the product of the lengths of both vectors to get the cosine of the angle. This result can further be used to calculate the distance of a point from a plane. @param vec Vector with which to calculate the dot product (together with this one). @returns A float representing the dot product value. */ inline float dotProduct( const Vector3& vec ) const { return x * vec.x + y * vec.y + z * vec.z; } /** Calculates the absolute dot (scalar) product of this vector with another. @remarks This function work similar dotProduct, except it use absolute value of each component of the vector to computing. @param vec Vector with which to calculate the absolute dot product (together with this one). @returns A Real representing the absolute dot product value. */ inline float absDotProduct( const Vector3& vec ) const { return Math::Abs( x * vec.x ) + Math::Abs( y * vec.y ) + Math::Abs( z * vec.z ); } /** Normalises the vector. @remarks This method normalises the vector such that it's length / magnitude is 1. The result is called a unit vector. @note This function will not crash for zero-sized vectors, but there will be no changes made to their components. @returns The previous length of the vector. */ inline float normalise() { float fLength = Math::Sqrt( x * x + y * y + z * z ); // Will also work for zero-sized vectors, but will change nothing if ( fLength > 1e-08 ) { float fInvLength = 1.0f / fLength; x *= fInvLength; y *= fInvLength; z *= fInvLength; } return fLength; } /** Calculates the cross-product of 2 vectors, i.e. the vector that lies perpendicular to them both. @remarks The cross-product is normally used to calculate the normal vector of a plane, by calculating the cross-product of 2 non-equivalent vectors which lie on the plane (e.g. 2 edges of a triangle). @param vec Vector which, together with this one, will be used to calculate the cross-product. @returns A vector which is the result of the cross-product. This vector will <b>NOT</b> be normalised, to maximise efficiency - call Vector3::normalise on the result if you wish this to be done. As for which side the resultant vector will be on, the returned vector will be on the side from which the arc from 'this' to rkVector is anticlockwise, e.g. UNIT_Y.crossProduct(UNIT_Z) = UNIT_X, whilst UNIT_Z.crossProduct(UNIT_Y) = -UNIT_X. This is because OGRE uses a right-handed coordinate system. @par For a clearer explanation, look a the left and the bottom edges of your monitor's screen. Assume that the first vector is the left edge and the second vector is the bottom edge, both of them starting from the lower-left corner of the screen. The resulting vector is going to be perpendicular to both of them and will go <i>inside</i> the screen, towards the cathode tube (assuming you're using a CRT monitor, of course). */ inline Vector3 crossProduct( const Vector3& rkVector ) const { return Vector3( y * rkVector.z - z * rkVector.y, z * rkVector.x - x * rkVector.z, x * rkVector.y - y * rkVector.x ); } /** Returns a vector at a point half way between this and the passed in vector. */ inline Vector3 midPoint( const Vector3& vec ) const { return Vector3( ( x + vec.x ) * 0.5f, ( y + vec.y ) * 0.5f, ( z + vec.z ) * 0.5f ); } /** Returns true if the vector's scalar components are all greater that the ones of the vector it is compared against. */ inline bool operator < ( const Vector3& rhs ) const { if ( x < rhs.x && y < rhs.y && z < rhs.z ) { return true; } return false; } /** Returns true if the vector's scalar components are all smaller that the ones of the vector it is compared against. */ inline bool operator > ( const Vector3& rhs ) const { if ( x > rhs.x && y > rhs.y && z > rhs.z ) { return true; } return false; } /** Sets this vector's components to the minimum of its own and the ones of the passed in vector. @remarks 'Minimum' in this case means the combination of the lowest value of x, y and z from both vectors. Lowest is taken just numerically, not magnitude, so -1 < 0. */ inline void makeFloor( const Vector3& cmp ) { if ( cmp.x < x ) { x = cmp.x; } if ( cmp.y < y ) { y = cmp.y; } if ( cmp.z < z ) { z = cmp.z; } } /** Sets this vector's components to the maximum of its own and the ones of the passed in vector. @remarks 'Maximum' in this case means the combination of the highest value of x, y and z from both vectors. Highest is taken just numerically, not magnitude, so 1 > -3. */ inline void makeCeil( const Vector3& cmp ) { if ( cmp.x > x ) { x = cmp.x; } if ( cmp.y > y ) { y = cmp.y; } if ( cmp.z > z ) { z = cmp.z; } } /** Generates a vector perpendicular to this vector (eg an 'up' vector). @remarks This method will return a vector which is perpendicular to this vector. There are an infinite number of possibilities but this method will guarantee to generate one of them. If you need more control you should use the Quaternion class. */ inline Vector3 perpendicular( void ) const { static const float fSquareZero = ( float )( 1e-06 * 1e-06 ); Vector3 perp = this->crossProduct( Vector3::UNIT_X ); // Check length if ( perp.squaredLength() < fSquareZero ) { /* This vector is the Y axis multiplied by a scalar, so we have to use another axis. */ perp = this->crossProduct( Vector3::UNIT_Y ); } perp.normalise(); return perp; } /** Gets the angle between 2 vectors. @remarks Vectors do not have to be unit-length but must represent directions. */ inline Radian angleBetween( const Vector3& dest ) { float lenProduct = length() * dest.length(); // Divide by zero check if ( lenProduct < 1e-6f ) { lenProduct = 1e-6f; } float f = dotProduct( dest ) / lenProduct; f = Math::Clamp( f, ( float ) - 1.0f, ( float )1.0f ); return Math::ACos( f ); } /** Returns true if this vector is zero length. */ inline bool isZeroLength( void ) const { float sqlen = ( x * x ) + ( y * y ) + ( z * z ); return ( sqlen < ( 1e-06 * 1e-06 ) ); } /** As normalise, except that this vector is unaffected and the normalised vector is returned as a copy. */ inline Vector3 normalisedCopy( void ) const { Vector3 ret = *this; ret.normalise(); return ret; } /** Calculates a reflection vector to the plane with the given normal . @remarks NB assumes 'this' is pointing AWAY FROM the plane, invert if it is not. */ inline Vector3 reflect( const Vector3& normal ) const { return Vector3( *this - ( 2 * this->dotProduct( normal ) * normal ) ); } /** Returns whether this vector is within a positional tolerance of another vector. @param rhs The vector to compare with @param tolerance The amount that each element of the vector may vary by and still be considered equal */ inline bool positionEquals( const Vector3& rhs, float tolerance = 1e-03 ) const { return Math::RealEqual( x, rhs.x, tolerance ) && Math::RealEqual( y, rhs.y, tolerance ) && Math::RealEqual( z, rhs.z, tolerance ); } /** Returns whether this vector is within a positional tolerance of another vector, also take scale of the vectors into account. @param rhs The vector to compare with @param tolerance The amount (related to the scale of vectors) that distance of the vector may vary by and still be considered close */ inline bool positionCloses( const Vector3& rhs, float tolerance = 1e-03f ) const { return squaredDistance( rhs ) <= ( squaredLength() + rhs.squaredLength() ) * tolerance; } /** Returns whether this vector is within a directional tolerance of another vector. @param rhs The vector to compare with @param tolerance The maximum angle by which the vectors may vary and still be considered equal @note Both vectors should be normalised. */ inline bool directionEquals( const Vector3& rhs, const Radian& tolerance ) const { float dot = dotProduct( rhs ); Radian angle = Math::ACos( dot ); return Math::Abs( angle.valueRadians() ) <= tolerance.valueRadians(); } /// Check whether this vector contains valid values inline bool isNaN() const { return _isnan( x ) || _isnan( y ) || _isnan( z ); } // special points static const Vector3 ZERO; static const Vector3 UNIT_X; static const Vector3 UNIT_Y; static const Vector3 UNIT_Z; static const Vector3 NEGATIVE_UNIT_X; static const Vector3 NEGATIVE_UNIT_Y; static const Vector3 NEGATIVE_UNIT_Z; static const Vector3 UNIT_SCALE; /** Function for writing to a stream. */ inline friend std::ostream& operator << ( std::ostream& o, const Vector3& v ) { o << "Vector3(" << v.x << ", " << v.y << ", " << v.z << ")"; return o; } };
[ "t1238142000@gmail.com" ]
t1238142000@gmail.com
d34654701b7e372958a5dd2ff57f5c092c5ca77d
357f3f04f3e0b87974a63258bcff5c3f2ce5a897
/VCEEnc/encode/auo_audio_parallel.cpp
ed12e1e0dcb3a89a01ba4d16a7e415abe9be2178
[ "MIT", "Zlib" ]
permissive
feijiaa1/VCEEnc
ba97247cd552860279006e0c464073741a003921
7e5ea492883418aaf797135623827a092f1bb5c0
refs/heads/master
2022-04-12T05:16:59.055425
2020-03-07T12:51:39
2020-03-07T12:51:39
null
0
0
null
null
null
null
UTF-8
C++
false
false
5,081
cpp
// ----------------------------------------------------------------------------------------- // VCEEnc by rigaya // ----------------------------------------------------------------------------------------- // The MIT License // // Copyright (c) 2014-2017 rigaya // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall be included in // all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // IABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. // // ------------------------------------------------------------------------------------------ #define WIN32_LEAN_AND_MEAN #define NOMINMAX #include <Windows.h> #include <process.h> #pragma comment(lib, "winmm.lib") #include "auo.h" #include "auo_version.h" #include "auo_system.h" #include "auo_audio.h" #include "auo_frm.h" typedef struct { CONF_GUIEX *_conf; const OUTPUT_INFO *_oip; PRM_ENC *_pe; const SYSTEM_DATA *_sys_dat; } AUDIO_OUTPUT_PRM; static inline void if_valid_close_handle(HANDLE *p_hnd) { if (*p_hnd) { CloseHandle(*p_hnd); *p_hnd = NULL; } } //音声並列処理スレッド用関数 static unsigned __stdcall audio_output_parallel_func(void *prm) { AUDIO_OUTPUT_PRM *aud_prm = (AUDIO_OUTPUT_PRM *)prm; CONF_GUIEX *conf = aud_prm->_conf; const OUTPUT_INFO *oip = aud_prm->_oip; PRM_ENC *pe = aud_prm->_pe; const SYSTEM_DATA *sys_dat = aud_prm->_sys_dat; free(prm); //audio_output_parallel関数内で確保したものをここで解放 //_endthreadexは明示的なCloseHandleが必要 (exit_audio_parallel_control内で実行) _endthreadex(audio_output(conf, oip, pe, sys_dat)); return 0; } //音声並列処理を開始する AUO_RESULT audio_output_parallel(CONF_GUIEX *conf, const OUTPUT_INFO *oip, PRM_ENC *pe, const SYSTEM_DATA *sys_dat) { AUO_RESULT ret = AUO_RESULT_SUCCESS; //音声エンコードの必要がなければ終了 if (!(oip->flag & OUTPUT_INFO_FLAG_AUDIO)) return ret; AUDIO_OUTPUT_PRM *parameters = (AUDIO_OUTPUT_PRM *)malloc(sizeof(AUDIO_OUTPUT_PRM)); //スレッド関数(audio_output_parallel_func)内で解放 if (parameters == NULL) return AUO_RESULT_ERROR; parameters->_conf = conf; parameters->_oip = oip; parameters->_pe = pe; parameters->_sys_dat = sys_dat; ZeroMemory(&pe->aud_parallel, sizeof(pe->aud_parallel)); if (NULL == (pe->aud_parallel.he_aud_start = CreateEvent(NULL, FALSE, FALSE, NULL))) { ret = AUO_RESULT_ERROR; } else if (NULL == (pe->aud_parallel.he_vid_start = CreateEvent(NULL, FALSE, FALSE, NULL))) { ret = AUO_RESULT_ERROR; } else if (NULL == (pe->aud_parallel.th_aud = (HANDLE)_beginthreadex(NULL, 0, audio_output_parallel_func, (void *)parameters, 0, NULL))) { ret = AUO_RESULT_ERROR; } if (ret == AUO_RESULT_ERROR) { if_valid_close_handle(&(pe->aud_parallel.he_aud_start)); if_valid_close_handle(&(pe->aud_parallel.he_vid_start)); } return ret; } //並列処理制御用のイベントをすべて解放する //映像・音声どちらかのAviutlからのデータ取得が必要なくなった時点で呼ぶ //呼び出しは映像・音声スレッドどちらでもよい //この関数が呼ばれたあとは、映像・音声どちらも自由に動くようにする void release_audio_parallel_events(PRM_ENC *pe) { if (pe->aud_parallel.he_aud_start) { //この関数が同時に呼ばれた場合のことを考え、InterlockedExchangePointerを使用してHANDLEを処理する HANDLE he_aud_start_copy = InterlockedExchangePointer(&(pe->aud_parallel.he_aud_start), NULL); SetEvent(he_aud_start_copy); //もし止まっていたら動かしてやる CloseHandle(he_aud_start_copy); } if (pe->aud_parallel.he_vid_start) { //この関数が同時に呼ばれた場合のことを考え、InterlockedExchangePointerを使用してHANDLEを処理する HANDLE he_vid_start_copy = InterlockedExchangePointer(&(pe->aud_parallel.he_vid_start), NULL); SetEvent(he_vid_start_copy); //もし止まっていたら動かしてやる CloseHandle(he_vid_start_copy); } }
[ "rigaya34589@live.jp" ]
rigaya34589@live.jp
ff996fa4debaa32244211595ba8b133ffe5437d2
db4b11a8d1428679a3f20991657897463602c7ba
/base/timestamp.h
d3630827c41d854790c1a9a6f5fab9b78cd4ee23
[]
no_license
Fishguys/reactor
cf0bd7b49bace091239567632bd224ff725c8b40
b64bb6dd634e34635b8f4955a84565d5980a00cf
refs/heads/master
2020-03-23T09:09:08.021848
2018-07-19T02:36:08
2018-07-19T02:36:08
141,370,453
0
0
null
null
null
null
UTF-8
C++
false
false
2,560
h
#pragma once #include <stdint.h> #include <algorithm> #include <string> using namespace std; /// /// Time stamp in UTC, in microseconds resolution. /// /// This class is immutable. /// It's recommended to pass it by value, since it's passed in register on x64. /// class Timestamp { public: /// /// Constucts an invalid Timestamp. /// Timestamp() : microSecondsSinceEpoch_(0) { } /// /// Constucts a Timestamp at specific time /// /// @param microSecondsSinceEpoch explicit Timestamp(int64_t microSecondsSinceEpoch); void swap(Timestamp& that) { std::swap(microSecondsSinceEpoch_, that.microSecondsSinceEpoch_); } // default copy/assignment/dtor are Okay string toString() const; string toFormattedString(bool showMicroseconds = true) const; bool valid() const { return microSecondsSinceEpoch_ > 0; } // for internal usage. int64_t microSecondsSinceEpoch() const { return microSecondsSinceEpoch_; } time_t secondsSinceEpoch() const { return static_cast<time_t>(microSecondsSinceEpoch_ / kMicroSecondsPerSecond); } /// /// Get time of now. /// static Timestamp now(); static Timestamp invalid(); static const int kMicroSecondsPerSecond = 1000 * 1000; private: int64_t microSecondsSinceEpoch_; }; inline bool operator<(Timestamp lhs, Timestamp rhs) { return lhs.microSecondsSinceEpoch() < rhs.microSecondsSinceEpoch(); } inline bool operator>(Timestamp lhs, Timestamp rhs) { return rhs < lhs; } inline bool operator<=(Timestamp lhs, Timestamp rhs) { return !(lhs > rhs); } inline bool operator>=(Timestamp lhs, Timestamp rhs) { return !(lhs < rhs); } inline bool operator==(Timestamp lhs, Timestamp rhs) { return lhs.microSecondsSinceEpoch() == rhs.microSecondsSinceEpoch(); } inline bool operator!=(Timestamp lhs, Timestamp rhs) { return !(lhs == rhs); } /// /// Gets time difference of two timestamps, result in seconds. /// /// @param high, low /// @return (high-low) in seconds /// @c double has 52-bit precision, enough for one-microsecond /// resolution for next 100 years. inline double timeDifference(Timestamp high, Timestamp low) { int64_t diff = high.microSecondsSinceEpoch() - low.microSecondsSinceEpoch(); return static_cast<double>(diff) / Timestamp::kMicroSecondsPerSecond; } /// /// Add @c seconds to given timestamp. /// /// @return timestamp+seconds as Timestamp /// inline Timestamp addTime(Timestamp timestamp, double seconds) { int64_t delta = static_cast<int64_t>(seconds * Timestamp::kMicroSecondsPerSecond); return Timestamp(timestamp.microSecondsSinceEpoch() + delta); }
[ "244643686@qq.com" ]
244643686@qq.com
46bd9440b332c8607831cdbcefe7415d20c7eb26
2388078b7e7792ee29145122c5587cf11d522a29
/src/util/profile_test.cpp
897e6def64e137cad4c2848043cefb741c9e6f1d
[ "BSD-3-Clause" ]
permissive
figo1309/fyreactor
9e852490d3eccf8394569ffae881aa064513cb62
3a6f5bcf5aae9cdab7cdd485d678edc288612b34
refs/heads/master
2022-10-12T17:33:11.552112
2022-09-21T03:21:30
2022-09-21T03:21:30
37,250,642
6
3
null
2022-09-21T03:21:30
2015-06-11T09:04:11
C++
WINDOWS-1252
C++
false
false
614
cpp
/************************************************************************/ /* create time: 2015/6/10 athor: ¸ð·ÉÔ¾ discribe: ÐÔÄܲâÊÔ */ /************************************************************************/ #include <util/timer.h> #include <util/profile_test.h> namespace fyreactor { CProfileTest::CProfileTest(const std::string& msg) : m_iBeginTime(CTimerThread::GetMilSec()) , m_strMsg(msg) { } CProfileTest::~CProfileTest() { uint32_t lastTime = CTimerThread::GetMilSec() - m_iBeginTime; if (lastTime > 10) printf("1111 %s %d \n", m_strMsg.c_str(), lastTime); } }
[ "495809712@qq.com" ]
495809712@qq.com
950b6e26295d55e17b9f9ffc039f3f04d0d84588
447e259d13f876f5c40a63bceb469929d8e0e47e
/cg.ino
3d1b53894f5c3e5bfb39a75e9abfb3a7f6de4089
[]
no_license
pmosf/CGMeter
48cf940c61965e1224bbc544f8e77b60fd659560
b4be29faa272afe246c32912b11cd9f386724c5c
refs/heads/master
2020-03-31T08:08:30.652165
2018-10-08T08:50:29
2018-10-08T08:50:29
152,042,017
0
0
null
null
null
null
UTF-8
C++
false
false
2,881
ino
#include "Arduino.h" #include <Log.h> #include <LinkedList.h> #include <WindowsManager.h> #include <DefaultDecorators.h> #include <TabControl.h> #include <SensorManager.h> #include <MeasurementNode.h> #include <DC_UTFT.h> #include <plane.h> #include <TouchUTFT.h> #include <TabControl.h> #include "weight.h" #include "setup.h" #include "cg.h" #include "StrainGaugeSensor.h" #include "plane.h" #include "InitWindow.h" UTFT myGLCD(ILI9341_16, 38, 39, 40, 41); URTouch myTouch(6, 5, 4, 3, 2); DC_UTFT dc(&myGLCD); TouchUTFT touch(&myTouch); //list where all sensors are collected LinkedList<SensorManager> sensors; //manager which controls the measurement process MeasurementNode measurementNode(sensors, nullptr); //manager which is responsible for window updating process WindowsManager<MainWindow> windowsManager(&dc, &touch); extern uint8_t Retro8x16[]; Plane plane; void setup() { //setup log (out is wrap about Serial class) out.begin(9600); out << F("Setup") << endln; //initialize display myGLCD.InitLCD(); myGLCD.clrScr(); //initialize touch myTouch.InitTouch(); myTouch.setPrecision(PREC_MEDIUM); DC_UTFT::RegisterDefaultFonts(); Environment::Get()->RegisterFont(new AFontUTFT(F("Retro"), Retro8x16)); DefaultDecorators::InitAll(); // initialize plane out << F("Initializing plane object") << endln; plane.Initialize(sensors); //initialize window manager out << F("Initializing windowsManager object") << endln; windowsManager.Initialize(); // create InitWindow InitWindow *initWnd = new InitWindow(F("InitWindow"), 0, 0, 0, 0); windowsManager.MainWnd()->AddChild(initWnd); // create tab control TabControl *tabCtrl = new TabControl(F("TabControl"), 2, 2, windowsManager.MainWnd()->Width() - 4, windowsManager.MainWnd()->Height() - 4); tabCtrl->SetVisible(false); windowsManager.MainWnd()->AddChild(tabCtrl); //create tabs Weight *tabWeight = new Weight(&plane, F("Weight"), 0, 0, 0, 0); Setup *tabSetup = new Setup(&plane, F("Setup"), 0, 0, 0, 0); Cg *tabCg = new Cg(&plane, F("CG"), 0, 0, 0, 0); tabCtrl->AddTab(F("Weight"), static_cast<Window*>(tabWeight)); tabCtrl->AddTab(F("Setup"), static_cast<Window*>(tabSetup)); tabCtrl->AddTab(F("CG"), static_cast<Window*>(tabCg)); windowsManager.loop(); plane.Start(); initWnd->SetVisible(false); tabCtrl->SetVisible(true); DecoratorList *redDecorator = new DecoratorList(); redDecorator->Add(new DecoratorRectFill(Color::Red, false)); redDecorator->Add(new DecoratorColor(Color::Black)); Environment::Get()->RegisterDecoratorsGroup(F("RedRectangle"), redDecorator); out << F("End setup") << endln; } void loop() { if (measurementNode.Measure()) { //following if is only for debugging purposes if (measurementNode.IsChanged()) { measurementNode.LogResults(); } } //give window manager an opportunity to update display windowsManager.loop(); }
[ "pmosf@gmail.com" ]
pmosf@gmail.com
40e42d519e5f00fccf1daaefe799aa5e6bbb73fd
798b1f598416bea9b95c094fcee4cc0c0b63a67a
/hpp_cs16/hpp_cs16/hpp/src/features/miscellaneous/miscellaneous.cpp
64bd755c9998031edf38dc7e9c53db2c0e33dce4
[]
no_license
YuhBoyMatty/hpphack
87e0d90869f93efb5342b27cce2d8c28e78f3069
2b18000ec3bce8db49c3ff84c1ea68e2bf0d3e7e
refs/heads/master
2023-05-27T02:42:49.503107
2021-06-10T17:30:05
2021-06-10T17:30:05
null
0
0
null
null
null
null
WINDOWS-1252
C++
false
false
4,489
cpp
#include "framework.h" std::unique_ptr<CMiscellaneous> g_pMiscellaneous; CMiscellaneous::CMiscellaneous() { // run code one time when you connected to server } CMiscellaneous::~CMiscellaneous() { // run code one time when you disconnected from server } void CMiscellaneous::NameStealer() { if (!cvars::misc.namestealer) return; static const std::string english[] = { "A", "a", "E", "e", "O", "o", "X", "x", "C", "c", "B", "K", "H", "P", "p", "T", "M" }; static const std::string russian[] = { u8"À", u8"à", u8"Å", u8"å", u8"Î", u8"î", u8"Õ", u8"õ", u8"Ñ", u8"ñ", u8"Â", u8"Ê", u8"Í", u8"Ð", u8"ð", u8"Ò", u8"Ì" }; static auto previous_time = client_state->time; if (abs(client_state->time - previous_time) > (double)cvars::misc.namestealer_interval) { previous_time = client_state->time; std::deque<std::string> nicknames; for (int i = 1; i <= client_state->maxclients; i++) { if (g_Player[i]->m_ClassId == EClassEntity_BaseLocal) continue; if (!g_Player[i]->m_bIsConnected) continue; if (g_Player[i]->m_iTeamNum == TEAM_SPECTATOR || g_Player[i]->m_iTeamNum == TEAM_UNASSIGNED) continue; if (strlen(g_Player[i]->m_szPrintName)) nicknames.push_back(g_Player[i]->m_szPrintName); } while (nicknames.size()) { bool replaced = false; int random = g_Engine.pfnRandomLong(0, nicknames.size() - 1); assert(random >= 0 && random < nicknames.size()); std::string nickname = nicknames[random]; // English to russian for (size_t j = 0; j < IM_ARRAYSIZE(english); j++) { auto pos = nickname.find(english[j]); if (pos != std::string::npos) { nickname = nickname.replace(pos, english[j].size(), russian[j]); replaced = true; break; } } // Russian to english if (!replaced) { for (size_t j = 0; j < IM_ARRAYSIZE(russian); j++) { auto pos = nickname.find(russian[j]); if (pos != std::string::npos) { nickname = nickname.replace(pos, russian[j].size(), english[j]); replaced = true; break; } } } if (replaced) { std::string cmd = "name \"" + nickname + "\""; g_Engine.pfnClientCmd(cmd.c_str()); break; } nicknames.erase(nicknames.begin() + random); } } } void CMiscellaneous::FakeLatency() { m_bFakeLatencyActive = false; if (cvars::misc.fakelatency) { const auto latency = cvars::misc.fakelatency_amount / 1000.0; if (latency > 0.0) { m_bFakeLatencyActive = true; Game::SetFakeLatency(latency); } } } void CMiscellaneous::ChokedCommandsCounter() { static int previous_seq = -1; if (client_static->netchan.outgoing_sequence != previous_seq) { if (client_static->nextcmdtime == FLT_MAX) m_iChokedCommands++; else if (g_pMiscellaneous->m_iChokedCommands) m_iChokedCommands = 0; previous_seq = client_static->netchan.outgoing_sequence; } //g_pEngine->Con_NPrintf(7, "g_pMiscellaneous->m_iChokedCommands: %i", g_pMiscellaneous->m_iChokedCommands); } void CMiscellaneous::AutoReload(usercmd_s* cmd) { if (cvars::misc.automatic_reload && g_Weapon.IsGun()) { if (cmd->buttons & IN_ATTACK && g_Weapon->m_iClip < 1) { cmd->buttons &= ~IN_ATTACK; cmd->buttons |= IN_RELOAD; } } } void CMiscellaneous::AutoPistol(usercmd_s* cmd) { if (cvars::misc.automatic_pistol && g_Weapon.IsPistol()) { if (cmd->buttons & IN_ATTACK && !g_Weapon.CanAttack()) { cmd->buttons &= ~IN_ATTACK; } } } void CMiscellaneous::RecordHUDCommands(usercmd_s* cmd) { if (client_static->demorecording) { if (cmd->buttons & IN_ATTACK && (~m_iHudCommands & IN_ATTACK)) { CL_RecordHUDCommand("+attack"); m_iHudCommands |= IN_ATTACK; } else if (!(cmd->buttons & IN_ATTACK) && m_iHudCommands & IN_ATTACK) { CL_RecordHUDCommand("-attack"); m_iHudCommands &= ~IN_ATTACK; } if (cmd->buttons & IN_ATTACK2 && (~m_iHudCommands & IN_ATTACK2)) { CL_RecordHUDCommand("+attack2"); m_iHudCommands |= IN_ATTACK2; } else if (!(cmd->buttons & IN_ATTACK2) && m_iHudCommands & IN_ATTACK2) { CL_RecordHUDCommand("-attack2"); m_iHudCommands &= ~IN_ATTACK2; } } } float CMiscellaneous::GetInterpAmount(const int& lerp) { assert(lerp >= 0 && lerp <= 100); const float maxmove = g_Local->m_flFrameTime * 0.05; float diff = (lerp / 1000.0) - m_flPositionAdjustmentInterpAmount; diff = std::clamp(diff, -maxmove, maxmove); const float interp = (m_flPositionAdjustmentInterpAmount + diff); return interp; }
[ "31269663+mr-nv@users.noreply.github.com" ]
31269663+mr-nv@users.noreply.github.com
540386b3ec135e90ed4ed3f9b8e86d9dc1f3aaaf
ac1c9fbc1f1019efb19d0a8f3a088e8889f1e83c
/out/release/gen/components/paint_preview/common/mojom/paint_preview_recorder.mojom.h
04cbeb23b206f9afee76662046c11ead7d4b8a6e
[ "BSD-3-Clause" ]
permissive
xueqiya/chromium_src
5d20b4d3a2a0251c063a7fb9952195cda6d29e34
d4aa7a8f0e07cfaa448fcad8c12b29242a615103
refs/heads/main
2022-07-30T03:15:14.818330
2021-01-16T16:47:22
2021-01-16T16:47:22
330,115,551
1
0
null
null
null
null
UTF-8
C++
false
false
26,126
h
// components/paint_preview/common/mojom/paint_preview_recorder.mojom.h is auto generated by mojom_bindings_generator.py, do not edit // Copyright 2013 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef COMPONENTS_PAINT_PREVIEW_COMMON_MOJOM_PAINT_PREVIEW_RECORDER_MOJOM_H_ #define COMPONENTS_PAINT_PREVIEW_COMMON_MOJOM_PAINT_PREVIEW_RECORDER_MOJOM_H_ #include <stdint.h> #include <limits> #include <type_traits> #include <utility> #include "base/callback.h" #include "base/macros.h" #include "base/optional.h" #include "mojo/public/cpp/bindings/mojo_buildflags.h" #if BUILDFLAG(MOJO_TRACE_ENABLED) #include "base/trace_event/trace_event.h" #endif #include "mojo/public/cpp/bindings/clone_traits.h" #include "mojo/public/cpp/bindings/equals_traits.h" #include "mojo/public/cpp/bindings/lib/serialization.h" #include "mojo/public/cpp/bindings/struct_ptr.h" #include "mojo/public/cpp/bindings/struct_traits.h" #include "mojo/public/cpp/bindings/union_traits.h" #include "components/paint_preview/common/mojom/paint_preview_recorder.mojom-shared.h" #include "components/paint_preview/common/mojom/paint_preview_recorder.mojom-forward.h" #include "mojo/public/mojom/base/file.mojom.h" #include "mojo/public/mojom/base/unguessable_token.mojom.h" #include "ui/gfx/geometry/mojom/geometry.mojom.h" #include "url/mojom/url.mojom.h" #include <string> #include <vector> #include "mojo/public/cpp/bindings/associated_interface_ptr.h" #include "mojo/public/cpp/bindings/associated_interface_ptr_info.h" #include "mojo/public/cpp/bindings/associated_interface_request.h" #include "mojo/public/cpp/bindings/interface_ptr.h" #include "mojo/public/cpp/bindings/interface_request.h" #include "mojo/public/cpp/bindings/lib/control_message_handler.h" #include "mojo/public/cpp/bindings/raw_ptr_impl_ref_traits.h" #include "mojo/public/cpp/bindings/thread_safe_interface_ptr.h" namespace paint_preview { namespace mojom { class PaintPreviewRecorderProxy; template <typename ImplRefTraits> class PaintPreviewRecorderStub; class PaintPreviewRecorderRequestValidator; class PaintPreviewRecorderResponseValidator; class PaintPreviewRecorder : public PaintPreviewRecorderInterfaceBase { public: static const char Name_[]; static constexpr uint32_t Version_ = 0; static constexpr bool PassesAssociatedKinds_ = false; static constexpr bool HasSyncMethods_ = false; using Base_ = PaintPreviewRecorderInterfaceBase; using Proxy_ = PaintPreviewRecorderProxy; template <typename ImplRefTraits> using Stub_ = PaintPreviewRecorderStub<ImplRefTraits>; using RequestValidator_ = PaintPreviewRecorderRequestValidator; using ResponseValidator_ = PaintPreviewRecorderResponseValidator; enum MethodMinVersions : uint32_t { kCapturePaintPreviewMinVersion = 0, }; virtual ~PaintPreviewRecorder() {} using CapturePaintPreviewCallback = base::OnceCallback<void(PaintPreviewStatus, PaintPreviewCaptureResponsePtr)>; virtual void CapturePaintPreview(PaintPreviewCaptureParamsPtr params, CapturePaintPreviewCallback callback) = 0; }; class PaintPreviewRecorderProxy : public PaintPreviewRecorder { public: using InterfaceType = PaintPreviewRecorder; explicit PaintPreviewRecorderProxy(mojo::MessageReceiverWithResponder* receiver); void CapturePaintPreview(PaintPreviewCaptureParamsPtr params, CapturePaintPreviewCallback callback) final; private: mojo::MessageReceiverWithResponder* receiver_; }; class PaintPreviewRecorderStubDispatch { public: static bool Accept(PaintPreviewRecorder* impl, mojo::Message* message); static bool AcceptWithResponder( PaintPreviewRecorder* impl, mojo::Message* message, std::unique_ptr<mojo::MessageReceiverWithStatus> responder); }; template <typename ImplRefTraits = mojo::RawPtrImplRefTraits<PaintPreviewRecorder>> class PaintPreviewRecorderStub : public mojo::MessageReceiverWithResponderStatus { public: using ImplPointerType = typename ImplRefTraits::PointerType; PaintPreviewRecorderStub() {} ~PaintPreviewRecorderStub() override {} void set_sink(ImplPointerType sink) { sink_ = std::move(sink); } ImplPointerType& sink() { return sink_; } bool Accept(mojo::Message* message) override { if (ImplRefTraits::IsNull(sink_)) return false; return PaintPreviewRecorderStubDispatch::Accept( ImplRefTraits::GetRawPointer(&sink_), message); } bool AcceptWithResponder( mojo::Message* message, std::unique_ptr<mojo::MessageReceiverWithStatus> responder) override { if (ImplRefTraits::IsNull(sink_)) return false; return PaintPreviewRecorderStubDispatch::AcceptWithResponder( ImplRefTraits::GetRawPointer(&sink_), message, std::move(responder)); } private: ImplPointerType sink_; }; class PaintPreviewRecorderRequestValidator : public mojo::MessageReceiver { public: bool Accept(mojo::Message* message) override; }; class PaintPreviewRecorderResponseValidator : public mojo::MessageReceiver { public: bool Accept(mojo::Message* message) override; }; class PaintPreviewCaptureParams { public: template <typename T> using EnableIfSame = std::enable_if_t<std::is_same<PaintPreviewCaptureParams, T>::value>; using DataView = PaintPreviewCaptureParamsDataView; using Data_ = internal::PaintPreviewCaptureParams_Data; template <typename... Args> static PaintPreviewCaptureParamsPtr New(Args&&... args) { return PaintPreviewCaptureParamsPtr( base::in_place, std::forward<Args>(args)...); } template <typename U> static PaintPreviewCaptureParamsPtr From(const U& u) { return mojo::TypeConverter<PaintPreviewCaptureParamsPtr, U>::Convert(u); } template <typename U> U To() const { return mojo::TypeConverter<U, PaintPreviewCaptureParams>::Convert(*this); } PaintPreviewCaptureParams(); PaintPreviewCaptureParams( const ::base::UnguessableToken& guid, const ::gfx::Rect& clip_rect, bool is_main_frame, ::base::File file); ~PaintPreviewCaptureParams(); // Clone() is a template so it is only instantiated if it is used. Thus, the // bindings generator does not need to know whether Clone() or copy // constructor/assignment are available for members. template <typename StructPtrType = PaintPreviewCaptureParamsPtr> PaintPreviewCaptureParamsPtr Clone() const; // Equals() is a template so it is only instantiated if it is used. Thus, the // bindings generator does not need to know whether Equals() or == operator // are available for members. template <typename T, PaintPreviewCaptureParams::EnableIfSame<T>* = nullptr> bool Equals(const T& other) const; template <typename UserType> static std::vector<uint8_t> Serialize(UserType* input) { return mojo::internal::SerializeImpl< PaintPreviewCaptureParams::DataView, std::vector<uint8_t>>(input); } template <typename UserType> static mojo::Message SerializeAsMessage(UserType* input) { return mojo::internal::SerializeAsMessageImpl< PaintPreviewCaptureParams::DataView>(input); } // The returned Message is serialized only if the message is moved // cross-process or cross-language. Otherwise if the message is Deserialized // as the same UserType |input| will just be moved to |output| in // DeserializeFromMessage. template <typename UserType> static mojo::Message WrapAsMessage(UserType input) { return mojo::Message(std::make_unique< internal::PaintPreviewCaptureParams_UnserializedMessageContext< UserType, PaintPreviewCaptureParams::DataView>>(0, 0, std::move(input))); } template <typename UserType> static bool Deserialize(const void* data, size_t data_num_bytes, UserType* output) { return mojo::internal::DeserializeImpl<PaintPreviewCaptureParams::DataView>( data, data_num_bytes, std::vector<mojo::ScopedHandle>(), output, Validate); } template <typename UserType> static bool Deserialize(const std::vector<uint8_t>& input, UserType* output) { return PaintPreviewCaptureParams::Deserialize( input.size() == 0 ? nullptr : &input.front(), input.size(), output); } template <typename UserType> static bool DeserializeFromMessage(mojo::Message input, UserType* output) { auto context = input.TakeUnserializedContext< internal::PaintPreviewCaptureParams_UnserializedMessageContext< UserType, PaintPreviewCaptureParams::DataView>>(); if (context) { *output = std::move(context->TakeData()); return true; } input.SerializeIfNecessary(); return mojo::internal::DeserializeImpl<PaintPreviewCaptureParams::DataView>( input.payload(), input.payload_num_bytes(), std::move(*input.mutable_handles()), output, Validate); } ::base::UnguessableToken guid; ::gfx::Rect clip_rect; bool is_main_frame; ::base::File file; private: static bool Validate(const void* data, mojo::internal::ValidationContext* validation_context); DISALLOW_COPY_AND_ASSIGN(PaintPreviewCaptureParams); }; // The comparison operators are templates, so they are only instantiated if they // are used. Thus, the bindings generator does not need to know whether // comparison operators are available for members. template <typename T, PaintPreviewCaptureParams::EnableIfSame<T>* = nullptr> bool operator<(const T& lhs, const T& rhs); template <typename T, PaintPreviewCaptureParams::EnableIfSame<T>* = nullptr> bool operator<=(const T& lhs, const T& rhs) { return !(rhs < lhs); } template <typename T, PaintPreviewCaptureParams::EnableIfSame<T>* = nullptr> bool operator>(const T& lhs, const T& rhs) { return rhs < lhs; } template <typename T, PaintPreviewCaptureParams::EnableIfSame<T>* = nullptr> bool operator>=(const T& lhs, const T& rhs) { return !(lhs < rhs); } class LinkData { public: template <typename T> using EnableIfSame = std::enable_if_t<std::is_same<LinkData, T>::value>; using DataView = LinkDataDataView; using Data_ = internal::LinkData_Data; template <typename... Args> static LinkDataPtr New(Args&&... args) { return LinkDataPtr( base::in_place, std::forward<Args>(args)...); } template <typename U> static LinkDataPtr From(const U& u) { return mojo::TypeConverter<LinkDataPtr, U>::Convert(u); } template <typename U> U To() const { return mojo::TypeConverter<U, LinkData>::Convert(*this); } LinkData(); LinkData( const ::GURL& url, const ::gfx::Rect& rect); ~LinkData(); // Clone() is a template so it is only instantiated if it is used. Thus, the // bindings generator does not need to know whether Clone() or copy // constructor/assignment are available for members. template <typename StructPtrType = LinkDataPtr> LinkDataPtr Clone() const; // Equals() is a template so it is only instantiated if it is used. Thus, the // bindings generator does not need to know whether Equals() or == operator // are available for members. template <typename T, LinkData::EnableIfSame<T>* = nullptr> bool Equals(const T& other) const; template <typename UserType> static std::vector<uint8_t> Serialize(UserType* input) { return mojo::internal::SerializeImpl< LinkData::DataView, std::vector<uint8_t>>(input); } template <typename UserType> static mojo::Message SerializeAsMessage(UserType* input) { return mojo::internal::SerializeAsMessageImpl< LinkData::DataView>(input); } // The returned Message is serialized only if the message is moved // cross-process or cross-language. Otherwise if the message is Deserialized // as the same UserType |input| will just be moved to |output| in // DeserializeFromMessage. template <typename UserType> static mojo::Message WrapAsMessage(UserType input) { return mojo::Message(std::make_unique< internal::LinkData_UnserializedMessageContext< UserType, LinkData::DataView>>(0, 0, std::move(input))); } template <typename UserType> static bool Deserialize(const void* data, size_t data_num_bytes, UserType* output) { return mojo::internal::DeserializeImpl<LinkData::DataView>( data, data_num_bytes, std::vector<mojo::ScopedHandle>(), output, Validate); } template <typename UserType> static bool Deserialize(const std::vector<uint8_t>& input, UserType* output) { return LinkData::Deserialize( input.size() == 0 ? nullptr : &input.front(), input.size(), output); } template <typename UserType> static bool DeserializeFromMessage(mojo::Message input, UserType* output) { auto context = input.TakeUnserializedContext< internal::LinkData_UnserializedMessageContext< UserType, LinkData::DataView>>(); if (context) { *output = std::move(context->TakeData()); return true; } input.SerializeIfNecessary(); return mojo::internal::DeserializeImpl<LinkData::DataView>( input.payload(), input.payload_num_bytes(), std::move(*input.mutable_handles()), output, Validate); } ::GURL url; ::gfx::Rect rect; private: static bool Validate(const void* data, mojo::internal::ValidationContext* validation_context); }; // The comparison operators are templates, so they are only instantiated if they // are used. Thus, the bindings generator does not need to know whether // comparison operators are available for members. template <typename T, LinkData::EnableIfSame<T>* = nullptr> bool operator<(const T& lhs, const T& rhs); template <typename T, LinkData::EnableIfSame<T>* = nullptr> bool operator<=(const T& lhs, const T& rhs) { return !(rhs < lhs); } template <typename T, LinkData::EnableIfSame<T>* = nullptr> bool operator>(const T& lhs, const T& rhs) { return rhs < lhs; } template <typename T, LinkData::EnableIfSame<T>* = nullptr> bool operator>=(const T& lhs, const T& rhs) { return !(lhs < rhs); } class PaintPreviewCaptureResponse { public: template <typename T> using EnableIfSame = std::enable_if_t<std::is_same<PaintPreviewCaptureResponse, T>::value>; using DataView = PaintPreviewCaptureResponseDataView; using Data_ = internal::PaintPreviewCaptureResponse_Data; template <typename... Args> static PaintPreviewCaptureResponsePtr New(Args&&... args) { return PaintPreviewCaptureResponsePtr( base::in_place, std::forward<Args>(args)...); } template <typename U> static PaintPreviewCaptureResponsePtr From(const U& u) { return mojo::TypeConverter<PaintPreviewCaptureResponsePtr, U>::Convert(u); } template <typename U> U To() const { return mojo::TypeConverter<U, PaintPreviewCaptureResponse>::Convert(*this); } PaintPreviewCaptureResponse(); PaintPreviewCaptureResponse( const base::Optional<::base::UnguessableToken>& embedding_token, const base::flat_map<uint32_t, ::base::UnguessableToken>& content_id_to_embedding_token, std::vector<LinkDataPtr> links); ~PaintPreviewCaptureResponse(); // Clone() is a template so it is only instantiated if it is used. Thus, the // bindings generator does not need to know whether Clone() or copy // constructor/assignment are available for members. template <typename StructPtrType = PaintPreviewCaptureResponsePtr> PaintPreviewCaptureResponsePtr Clone() const; // Equals() is a template so it is only instantiated if it is used. Thus, the // bindings generator does not need to know whether Equals() or == operator // are available for members. template <typename T, PaintPreviewCaptureResponse::EnableIfSame<T>* = nullptr> bool Equals(const T& other) const; template <typename UserType> static std::vector<uint8_t> Serialize(UserType* input) { return mojo::internal::SerializeImpl< PaintPreviewCaptureResponse::DataView, std::vector<uint8_t>>(input); } template <typename UserType> static mojo::Message SerializeAsMessage(UserType* input) { return mojo::internal::SerializeAsMessageImpl< PaintPreviewCaptureResponse::DataView>(input); } // The returned Message is serialized only if the message is moved // cross-process or cross-language. Otherwise if the message is Deserialized // as the same UserType |input| will just be moved to |output| in // DeserializeFromMessage. template <typename UserType> static mojo::Message WrapAsMessage(UserType input) { return mojo::Message(std::make_unique< internal::PaintPreviewCaptureResponse_UnserializedMessageContext< UserType, PaintPreviewCaptureResponse::DataView>>(0, 0, std::move(input))); } template <typename UserType> static bool Deserialize(const void* data, size_t data_num_bytes, UserType* output) { return mojo::internal::DeserializeImpl<PaintPreviewCaptureResponse::DataView>( data, data_num_bytes, std::vector<mojo::ScopedHandle>(), output, Validate); } template <typename UserType> static bool Deserialize(const std::vector<uint8_t>& input, UserType* output) { return PaintPreviewCaptureResponse::Deserialize( input.size() == 0 ? nullptr : &input.front(), input.size(), output); } template <typename UserType> static bool DeserializeFromMessage(mojo::Message input, UserType* output) { auto context = input.TakeUnserializedContext< internal::PaintPreviewCaptureResponse_UnserializedMessageContext< UserType, PaintPreviewCaptureResponse::DataView>>(); if (context) { *output = std::move(context->TakeData()); return true; } input.SerializeIfNecessary(); return mojo::internal::DeserializeImpl<PaintPreviewCaptureResponse::DataView>( input.payload(), input.payload_num_bytes(), std::move(*input.mutable_handles()), output, Validate); } base::Optional<::base::UnguessableToken> embedding_token; base::flat_map<uint32_t, ::base::UnguessableToken> content_id_to_embedding_token; std::vector<LinkDataPtr> links; private: static bool Validate(const void* data, mojo::internal::ValidationContext* validation_context); DISALLOW_COPY_AND_ASSIGN(PaintPreviewCaptureResponse); }; // The comparison operators are templates, so they are only instantiated if they // are used. Thus, the bindings generator does not need to know whether // comparison operators are available for members. template <typename T, PaintPreviewCaptureResponse::EnableIfSame<T>* = nullptr> bool operator<(const T& lhs, const T& rhs); template <typename T, PaintPreviewCaptureResponse::EnableIfSame<T>* = nullptr> bool operator<=(const T& lhs, const T& rhs) { return !(rhs < lhs); } template <typename T, PaintPreviewCaptureResponse::EnableIfSame<T>* = nullptr> bool operator>(const T& lhs, const T& rhs) { return rhs < lhs; } template <typename T, PaintPreviewCaptureResponse::EnableIfSame<T>* = nullptr> bool operator>=(const T& lhs, const T& rhs) { return !(lhs < rhs); } template <typename StructPtrType> PaintPreviewCaptureParamsPtr PaintPreviewCaptureParams::Clone() const { return New( mojo::Clone(guid), mojo::Clone(clip_rect), mojo::Clone(is_main_frame), mojo::Clone(file) ); } template <typename T, PaintPreviewCaptureParams::EnableIfSame<T>*> bool PaintPreviewCaptureParams::Equals(const T& other_struct) const { if (!mojo::Equals(this->guid, other_struct.guid)) return false; if (!mojo::Equals(this->clip_rect, other_struct.clip_rect)) return false; if (!mojo::Equals(this->is_main_frame, other_struct.is_main_frame)) return false; if (!mojo::Equals(this->file, other_struct.file)) return false; return true; } template <typename T, PaintPreviewCaptureParams::EnableIfSame<T>*> bool operator<(const T& lhs, const T& rhs) { if (lhs.guid < rhs.guid) return true; if (rhs.guid < lhs.guid) return false; if (lhs.clip_rect < rhs.clip_rect) return true; if (rhs.clip_rect < lhs.clip_rect) return false; if (lhs.is_main_frame < rhs.is_main_frame) return true; if (rhs.is_main_frame < lhs.is_main_frame) return false; if (lhs.file < rhs.file) return true; if (rhs.file < lhs.file) return false; return false; } template <typename StructPtrType> LinkDataPtr LinkData::Clone() const { return New( mojo::Clone(url), mojo::Clone(rect) ); } template <typename T, LinkData::EnableIfSame<T>*> bool LinkData::Equals(const T& other_struct) const { if (!mojo::Equals(this->url, other_struct.url)) return false; if (!mojo::Equals(this->rect, other_struct.rect)) return false; return true; } template <typename T, LinkData::EnableIfSame<T>*> bool operator<(const T& lhs, const T& rhs) { if (lhs.url < rhs.url) return true; if (rhs.url < lhs.url) return false; if (lhs.rect < rhs.rect) return true; if (rhs.rect < lhs.rect) return false; return false; } template <typename StructPtrType> PaintPreviewCaptureResponsePtr PaintPreviewCaptureResponse::Clone() const { return New( mojo::Clone(embedding_token), mojo::Clone(content_id_to_embedding_token), mojo::Clone(links) ); } template <typename T, PaintPreviewCaptureResponse::EnableIfSame<T>*> bool PaintPreviewCaptureResponse::Equals(const T& other_struct) const { if (!mojo::Equals(this->embedding_token, other_struct.embedding_token)) return false; if (!mojo::Equals(this->content_id_to_embedding_token, other_struct.content_id_to_embedding_token)) return false; if (!mojo::Equals(this->links, other_struct.links)) return false; return true; } template <typename T, PaintPreviewCaptureResponse::EnableIfSame<T>*> bool operator<(const T& lhs, const T& rhs) { if (lhs.embedding_token < rhs.embedding_token) return true; if (rhs.embedding_token < lhs.embedding_token) return false; if (lhs.content_id_to_embedding_token < rhs.content_id_to_embedding_token) return true; if (rhs.content_id_to_embedding_token < lhs.content_id_to_embedding_token) return false; if (lhs.links < rhs.links) return true; if (rhs.links < lhs.links) return false; return false; } } // namespace mojom } // namespace paint_preview namespace mojo { template <> struct StructTraits<::paint_preview::mojom::PaintPreviewCaptureParams::DataView, ::paint_preview::mojom::PaintPreviewCaptureParamsPtr> { static bool IsNull(const ::paint_preview::mojom::PaintPreviewCaptureParamsPtr& input) { return !input; } static void SetToNull(::paint_preview::mojom::PaintPreviewCaptureParamsPtr* output) { output->reset(); } static const decltype(::paint_preview::mojom::PaintPreviewCaptureParams::guid)& guid( const ::paint_preview::mojom::PaintPreviewCaptureParamsPtr& input) { return input->guid; } static const decltype(::paint_preview::mojom::PaintPreviewCaptureParams::clip_rect)& clip_rect( const ::paint_preview::mojom::PaintPreviewCaptureParamsPtr& input) { return input->clip_rect; } static decltype(::paint_preview::mojom::PaintPreviewCaptureParams::is_main_frame) is_main_frame( const ::paint_preview::mojom::PaintPreviewCaptureParamsPtr& input) { return input->is_main_frame; } static decltype(::paint_preview::mojom::PaintPreviewCaptureParams::file)& file( ::paint_preview::mojom::PaintPreviewCaptureParamsPtr& input) { return input->file; } static bool Read(::paint_preview::mojom::PaintPreviewCaptureParams::DataView input, ::paint_preview::mojom::PaintPreviewCaptureParamsPtr* output); }; template <> struct StructTraits<::paint_preview::mojom::LinkData::DataView, ::paint_preview::mojom::LinkDataPtr> { static bool IsNull(const ::paint_preview::mojom::LinkDataPtr& input) { return !input; } static void SetToNull(::paint_preview::mojom::LinkDataPtr* output) { output->reset(); } static const decltype(::paint_preview::mojom::LinkData::url)& url( const ::paint_preview::mojom::LinkDataPtr& input) { return input->url; } static const decltype(::paint_preview::mojom::LinkData::rect)& rect( const ::paint_preview::mojom::LinkDataPtr& input) { return input->rect; } static bool Read(::paint_preview::mojom::LinkData::DataView input, ::paint_preview::mojom::LinkDataPtr* output); }; template <> struct StructTraits<::paint_preview::mojom::PaintPreviewCaptureResponse::DataView, ::paint_preview::mojom::PaintPreviewCaptureResponsePtr> { static bool IsNull(const ::paint_preview::mojom::PaintPreviewCaptureResponsePtr& input) { return !input; } static void SetToNull(::paint_preview::mojom::PaintPreviewCaptureResponsePtr* output) { output->reset(); } static const decltype(::paint_preview::mojom::PaintPreviewCaptureResponse::embedding_token)& embedding_token( const ::paint_preview::mojom::PaintPreviewCaptureResponsePtr& input) { return input->embedding_token; } static const decltype(::paint_preview::mojom::PaintPreviewCaptureResponse::content_id_to_embedding_token)& content_id_to_embedding_token( const ::paint_preview::mojom::PaintPreviewCaptureResponsePtr& input) { return input->content_id_to_embedding_token; } static const decltype(::paint_preview::mojom::PaintPreviewCaptureResponse::links)& links( const ::paint_preview::mojom::PaintPreviewCaptureResponsePtr& input) { return input->links; } static bool Read(::paint_preview::mojom::PaintPreviewCaptureResponse::DataView input, ::paint_preview::mojom::PaintPreviewCaptureResponsePtr* output); }; } // namespace mojo #endif // COMPONENTS_PAINT_PREVIEW_COMMON_MOJOM_PAINT_PREVIEW_RECORDER_MOJOM_H_
[ "xueqi@zjmedia.net" ]
xueqi@zjmedia.net
8441f46d57d0c9b38bccb7f800110b29d6f48484
398f061617e1f93008ed5f8620ddbb6aea8a82be
/com/benchmark/test_smempool.cpp
ab1f3595d3de204ce2cbc774ac4b50d592b6fe02
[ "BSD-3-Clause", "LicenseRef-scancode-generic-cla" ]
permissive
mfkiwl/xoc
22c0e00f92fc94660f6293fdf6ccc268a8f9e0ac
ff27765f953ce0d51ee71ad3496fd4cdd7fcbcf2
refs/heads/master
2023-03-25T00:41:44.358392
2021-03-21T08:50:05
2021-03-21T08:50:05
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,097
cpp
/*@ Copyright (c) 2013-2014, Su Zhenyu steven.known@gmail.com All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Su Zhenyu nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. @*/ #include "stdio.h" #include "../ltype.h" #include "../comf.h" #include "../smempool.h" #include "../sstl.h" class S { public: int a; short b; char c[13]; }; int main() { SMemPool * x = smpoolCreate(sizeof(S) * 1000, MEM_CONST_SIZE); for(int j=0;j<1000;j++) { for(int i=0;i<100000;i++) { //S * m = new S(); //S * m = (S*)smpool_malloc_h_const_size(sizeof(S), x); S * m = (S*)smpoolMalloc(sizeof(S), x); } } //printf("\nmempool statisitc : %u bytes\n", smpool_get_pool_size_handle(x)); //smpool_free_handle(x); return 0; }
[ "steven.known@gmail.com" ]
steven.known@gmail.com
84cbfbf74e27b9952eb5c152d0e5160bcd406ad5
cc7661edca4d5fb2fc226bd6605a533f50a2fb63
/System/SendCompletedEventHandler.h
cdd62fcf602ef22739e0286e3ff464d7cbf768e2
[ "MIT" ]
permissive
g91/Rust-C-SDK
698e5b573285d5793250099b59f5453c3c4599eb
d1cce1133191263cba5583c43a8d42d8d65c21b0
refs/heads/master
2020-03-27T05:49:01.747456
2017-08-23T09:07:35
2017-08-23T09:07:35
146,053,940
1
0
null
2018-08-25T01:13:44
2018-08-25T01:13:44
null
UTF-8
C++
false
false
172
h
#pragma once namespace System { namespace Net { { namespace Mail { class SendCompletedEventHandler : public MulticastDelegate // 0x68 { public: }; // size = 0x68 }
[ "info@cvm-solutions.co.uk" ]
info@cvm-solutions.co.uk
5103c495cf8a81f368e57102ba8ed7db888999f4
a40f66e4f174ae54438dfed778839b46f52599b5
/JuceLibraryCode/modules/juce_audio_basics/sources/juce_BufferingAudioSource.cpp
18509823f71825cf6f3a30743298bf89b639315f
[]
no_license
PFCM/SwivelAutotune
61e2f63e8fb9244e6a2ca1d840839b16b457d7b6
f52201aef77806febba1ade85688e989fe3da09d
refs/heads/master
2021-01-22T05:24:10.935556
2013-11-28T03:59:29
2013-11-28T03:59:29
14,478,275
1
0
null
2013-11-27T19:48:34
2013-11-18T00:12:56
C++
UTF-8
C++
false
false
9,136
cpp
/* ============================================================================== This file is part of the JUCE library. Copyright (c) 2013 - Raw Material Software Ltd. Permission is granted to use this software under the terms of either: a) the GPL v2 (or any later version) b) the Affero GPL v3 Details of these licenses can be found at: www.gnu.org/licenses JUCE is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. ------------------------------------------------------------------------------ To release a closed-source product which uses JUCE, commercial licenses are available: visit www.juce.com for more information. ============================================================================== */ BufferingAudioSource::BufferingAudioSource (PositionableAudioSource* source_, TimeSliceThread& backgroundThread_, const bool deleteSourceWhenDeleted, const int numberOfSamplesToBuffer_, const int numberOfChannels_) : source (source_, deleteSourceWhenDeleted), backgroundThread (backgroundThread_), numberOfSamplesToBuffer (jmax (1024, numberOfSamplesToBuffer_)), numberOfChannels (numberOfChannels_), buffer (numberOfChannels_, 0), bufferValidStart (0), bufferValidEnd (0), nextPlayPos (0), wasSourceLooping (false), isPrepared (false) { jassert (source_ != nullptr); jassert (numberOfSamplesToBuffer_ > 1024); // not much point using this class if you're // not using a larger buffer.. } BufferingAudioSource::~BufferingAudioSource() { releaseResources(); } //============================================================================== void BufferingAudioSource::prepareToPlay (int samplesPerBlockExpected, double sampleRate_) { const int bufferSizeNeeded = jmax (samplesPerBlockExpected * 2, numberOfSamplesToBuffer); if (sampleRate_ != sampleRate || bufferSizeNeeded != buffer.getNumSamples() || ! isPrepared) { backgroundThread.removeTimeSliceClient (this); isPrepared = true; sampleRate = sampleRate_; source->prepareToPlay (samplesPerBlockExpected, sampleRate_); buffer.setSize (numberOfChannels, bufferSizeNeeded); buffer.clear(); bufferValidStart = 0; bufferValidEnd = 0; backgroundThread.addTimeSliceClient (this); while (bufferValidEnd - bufferValidStart < jmin (((int) sampleRate_) / 4, buffer.getNumSamples() / 2)) { backgroundThread.moveToFrontOfQueue (this); Thread::sleep (5); } } } void BufferingAudioSource::releaseResources() { isPrepared = false; backgroundThread.removeTimeSliceClient (this); buffer.setSize (numberOfChannels, 0); source->releaseResources(); } void BufferingAudioSource::getNextAudioBlock (const AudioSourceChannelInfo& info) { const ScopedLock sl (bufferStartPosLock); const int validStart = (int) (jlimit (bufferValidStart, bufferValidEnd, nextPlayPos) - nextPlayPos); const int validEnd = (int) (jlimit (bufferValidStart, bufferValidEnd, nextPlayPos + info.numSamples) - nextPlayPos); if (validStart == validEnd) { // total cache miss info.clearActiveBufferRegion(); } else { if (validStart > 0) info.buffer->clear (info.startSample, validStart); // partial cache miss at start if (validEnd < info.numSamples) info.buffer->clear (info.startSample + validEnd, info.numSamples - validEnd); // partial cache miss at end if (validStart < validEnd) { for (int chan = jmin (numberOfChannels, info.buffer->getNumChannels()); --chan >= 0;) { jassert (buffer.getNumSamples() > 0); const int startBufferIndex = (int) ((validStart + nextPlayPos) % buffer.getNumSamples()); const int endBufferIndex = (int) ((validEnd + nextPlayPos) % buffer.getNumSamples()); if (startBufferIndex < endBufferIndex) { info.buffer->copyFrom (chan, info.startSample + validStart, buffer, chan, startBufferIndex, validEnd - validStart); } else { const int initialSize = buffer.getNumSamples() - startBufferIndex; info.buffer->copyFrom (chan, info.startSample + validStart, buffer, chan, startBufferIndex, initialSize); info.buffer->copyFrom (chan, info.startSample + validStart + initialSize, buffer, chan, 0, (validEnd - validStart) - initialSize); } } } nextPlayPos += info.numSamples; } } int64 BufferingAudioSource::getNextReadPosition() const { jassert (source->getTotalLength() > 0); return (source->isLooping() && nextPlayPos > 0) ? nextPlayPos % source->getTotalLength() : nextPlayPos; } void BufferingAudioSource::setNextReadPosition (int64 newPosition) { const ScopedLock sl (bufferStartPosLock); nextPlayPos = newPosition; backgroundThread.moveToFrontOfQueue (this); } bool BufferingAudioSource::readNextBufferChunk() { int64 newBVS, newBVE, sectionToReadStart, sectionToReadEnd; { const ScopedLock sl (bufferStartPosLock); if (wasSourceLooping != isLooping()) { wasSourceLooping = isLooping(); bufferValidStart = 0; bufferValidEnd = 0; } newBVS = jmax ((int64) 0, nextPlayPos); newBVE = newBVS + buffer.getNumSamples() - 4; sectionToReadStart = 0; sectionToReadEnd = 0; const int maxChunkSize = 2048; if (newBVS < bufferValidStart || newBVS >= bufferValidEnd) { newBVE = jmin (newBVE, newBVS + maxChunkSize); sectionToReadStart = newBVS; sectionToReadEnd = newBVE; bufferValidStart = 0; bufferValidEnd = 0; } else if (std::abs ((int) (newBVS - bufferValidStart)) > 512 || std::abs ((int) (newBVE - bufferValidEnd)) > 512) { newBVE = jmin (newBVE, bufferValidEnd + maxChunkSize); sectionToReadStart = bufferValidEnd; sectionToReadEnd = newBVE; bufferValidStart = newBVS; bufferValidEnd = jmin (bufferValidEnd, newBVE); } } if (sectionToReadStart != sectionToReadEnd) { jassert (buffer.getNumSamples() > 0); const int bufferIndexStart = (int) (sectionToReadStart % buffer.getNumSamples()); const int bufferIndexEnd = (int) (sectionToReadEnd % buffer.getNumSamples()); if (bufferIndexStart < bufferIndexEnd) { readBufferSection (sectionToReadStart, (int) (sectionToReadEnd - sectionToReadStart), bufferIndexStart); } else { const int initialSize = buffer.getNumSamples() - bufferIndexStart; readBufferSection (sectionToReadStart, initialSize, bufferIndexStart); readBufferSection (sectionToReadStart + initialSize, (int) (sectionToReadEnd - sectionToReadStart) - initialSize, 0); } const ScopedLock sl2 (bufferStartPosLock); bufferValidStart = newBVS; bufferValidEnd = newBVE; return true; } else { return false; } } void BufferingAudioSource::readBufferSection (const int64 start, const int length, const int bufferOffset) { if (source->getNextReadPosition() != start) source->setNextReadPosition (start); AudioSourceChannelInfo info (&buffer, bufferOffset, length); source->getNextAudioBlock (info); } int BufferingAudioSource::useTimeSlice() { return readNextBufferChunk() ? 1 : 100; }
[ "pfcmathews@gmail.com" ]
pfcmathews@gmail.com
8823830b56f0028d9b7226446057b2a2c7e9b3ea
8010df1fef10ddfd83bf07966cbf7e2e4b0d7ee9
/include/winsdk/winrt/Windows.ApplicationModel.email.dataprovider.h
17e1b804294274e3544159f82defed5faa68add9
[]
no_license
light-tech/MSCpp
a23ab987b7e12329ab2d418b06b6b8055bde5ca2
012631b58c402ceec73c73d2bda443078bc151ef
refs/heads/master
2022-12-26T23:51:21.686396
2020-10-15T13:40:34
2020-10-15T13:40:34
188,921,341
6
0
null
null
null
null
UTF-8
C++
false
false
622,866
h
#pragma warning( disable: 4049 ) /* more than 64k source lines */ /* verify that the <rpcndr.h> version is high enough to compile this file*/ #ifndef __REQUIRED_RPCNDR_H_VERSION__ #define __REQUIRED_RPCNDR_H_VERSION__ 500 #endif /* verify that the <rpcsal.h> version is high enough to compile this file*/ #ifndef __REQUIRED_RPCSAL_H_VERSION__ #define __REQUIRED_RPCSAL_H_VERSION__ 100 #endif #include <rpc.h> #include <rpcndr.h> #ifndef __RPCNDR_H_VERSION__ #error this stub requires an updated version of <rpcndr.h> #endif /* __RPCNDR_H_VERSION__ */ #ifndef COM_NO_WINDOWS_H #include <windows.h> #include <ole2.h> #endif /*COM_NO_WINDOWS_H*/ #ifndef __windows2Eapplicationmodel2Eemail2Edataprovider_h__ #define __windows2Eapplicationmodel2Eemail2Edataprovider_h__ #ifndef __windows2Eapplicationmodel2Eemail2Edataprovider_p_h__ #define __windows2Eapplicationmodel2Eemail2Edataprovider_p_h__ #pragma once // // Deprecated attribute support // #pragma push_macro("DEPRECATED") #undef DEPRECATED #if !defined(DISABLE_WINRT_DEPRECATION) #if defined(__cplusplus) #if __cplusplus >= 201402 #define DEPRECATED(x) [[deprecated(x)]] #define DEPRECATEDENUMERATOR(x) [[deprecated(x)]] #elif defined(_MSC_VER) #if _MSC_VER >= 1900 #define DEPRECATED(x) [[deprecated(x)]] #define DEPRECATEDENUMERATOR(x) [[deprecated(x)]] #else #define DEPRECATED(x) __declspec(deprecated(x)) #define DEPRECATEDENUMERATOR(x) #endif // _MSC_VER >= 1900 #else // Not Standard C++ or MSVC, ignore the construct. #define DEPRECATED(x) #define DEPRECATEDENUMERATOR(x) #endif // C++ deprecation #else // C - disable deprecation #define DEPRECATED(x) #define DEPRECATEDENUMERATOR(x) #endif #else // Deprecation is disabled #define DEPRECATED(x) #define DEPRECATEDENUMERATOR(x) #endif /* DEPRECATED */ // Disable Deprecation for this header, MIDL verifies that cross-type access is acceptable #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Wdeprecated-declarations" #else #pragma warning(push) #pragma warning(disable: 4996) #endif // Ensure that the setting of the /ns_prefix command line switch is consistent for all headers. // If you get an error from the compiler indicating "warning C4005: 'CHECK_NS_PREFIX_STATE': macro redefinition", this // indicates that you have included two different headers with different settings for the /ns_prefix MIDL command line switch #if !defined(DISABLE_NS_PREFIX_CHECKS) #define CHECK_NS_PREFIX_STATE "always" #endif // !defined(DISABLE_NS_PREFIX_CHECKS) #pragma push_macro("MIDL_CONST_ID") #undef MIDL_CONST_ID #define MIDL_CONST_ID const __declspec(selectany) // API Contract Inclusion Definitions #if !defined(SPECIFIC_API_CONTRACT_DEFINITIONS) #if !defined(WINDOWS_FOUNDATION_FOUNDATIONCONTRACT_VERSION) #define WINDOWS_FOUNDATION_FOUNDATIONCONTRACT_VERSION 0x40000 #endif // defined(WINDOWS_FOUNDATION_FOUNDATIONCONTRACT_VERSION) #if !defined(WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION) #define WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION 0xa0000 #endif // defined(WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION) #endif // defined(SPECIFIC_API_CONTRACT_DEFINITIONS) // Header files for imported files #include "inspectable.h" #include "AsyncInfo.h" #include "EventToken.h" #include "windowscontracts.h" #include "Windows.Foundation.h" #include "Windows.ApplicationModel.Email.h" #include "Windows.Security.Cryptography.Certificates.h" // Importing Collections header #include <windows.foundation.collections.h> #if defined(__cplusplus) && !defined(CINTERFACE) /* Forward Declarations */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailDataProviderConnection; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailDataProviderTriggerDetails; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderTriggerDetails #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxCreateFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxCreateFolderRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxCreateFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxCreateFolderRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxDeleteFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDeleteFolderRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxDeleteFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDeleteFolderRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxDownloadAttachmentRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadAttachmentRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxDownloadAttachmentRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadAttachmentRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxDownloadMessageRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadMessageRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxDownloadMessageRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadMessageRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxEmptyFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxEmptyFolderRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxEmptyFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxEmptyFolderRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxForwardMeetingRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxForwardMeetingRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxForwardMeetingRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxForwardMeetingRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxGetAutoReplySettingsRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxGetAutoReplySettingsRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxGetAutoReplySettingsRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxGetAutoReplySettingsRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxMoveFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxMoveFolderRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxMoveFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxMoveFolderRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxProposeNewTimeForMeetingRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxProposeNewTimeForMeetingRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxProposeNewTimeForMeetingRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxProposeNewTimeForMeetingRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxResolveRecipientsRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxResolveRecipientsRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxResolveRecipientsRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxResolveRecipientsRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxServerSearchReadBatchRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxServerSearchReadBatchRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxServerSearchReadBatchRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxServerSearchReadBatchRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxSetAutoReplySettingsRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSetAutoReplySettingsRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxSetAutoReplySettingsRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSetAutoReplySettingsRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxSyncManagerSyncRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSyncManagerSyncRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxSyncManagerSyncRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSyncManagerSyncRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxUpdateMeetingResponseRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxUpdateMeetingResponseRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxUpdateMeetingResponseRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxUpdateMeetingResponseRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxValidateCertificatesRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxValidateCertificatesRequest #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { interface IEmailMailboxValidateCertificatesRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxValidateCertificatesRequestEventArgs #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_FWD_DEFINED__ // Parameterized interface forward declarations (C++) // Collection interface definitions #ifndef DEF___FIIterator_1_HSTRING_USE #define DEF___FIIterator_1_HSTRING_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("8c304ebb-6615-50a4-8829-879ecd443236")) IIterator<HSTRING> : IIterator_impl<HSTRING> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterator`1<String>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterator<HSTRING> __FIIterator_1_HSTRING_t; #define __FIIterator_1_HSTRING ABI::Windows::Foundation::Collections::__FIIterator_1_HSTRING_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterator_1_HSTRING_USE */ #ifndef DEF___FIIterable_1_HSTRING_USE #define DEF___FIIterable_1_HSTRING_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("e2fcc7c1-3bfc-5a0b-b2b0-72e769d1cb7e")) IIterable<HSTRING> : IIterable_impl<HSTRING> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterable`1<String>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterable<HSTRING> __FIIterable_1_HSTRING_t; #define __FIIterable_1_HSTRING ABI::Windows::Foundation::Collections::__FIIterable_1_HSTRING_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterable_1_HSTRING_USE */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailCertificateValidationStatus : int EmailCertificateValidationStatus; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #ifndef DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_USE #define DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("1cfe3d41-16a5-5026-a6fe-2cb0a303a605")) IIterator<enum ABI::Windows::ApplicationModel::Email::EmailCertificateValidationStatus> : IIterator_impl<enum ABI::Windows::ApplicationModel::Email::EmailCertificateValidationStatus> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterator`1<Windows.ApplicationModel.Email.EmailCertificateValidationStatus>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterator<enum ABI::Windows::ApplicationModel::Email::EmailCertificateValidationStatus> __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_t; #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus ABI::Windows::Foundation::Collections::__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #ifndef DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_USE #define DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("7e326530-7449-51a7-b1bc-c43533a78e06")) IIterable<enum ABI::Windows::ApplicationModel::Email::EmailCertificateValidationStatus> : IIterable_impl<enum ABI::Windows::ApplicationModel::Email::EmailCertificateValidationStatus> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterable`1<Windows.ApplicationModel.Email.EmailCertificateValidationStatus>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterable<enum ABI::Windows::ApplicationModel::Email::EmailCertificateValidationStatus> __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_t; #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus ABI::Windows::Foundation::Collections::__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { class EmailRecipient; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { interface IEmailRecipient; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient ABI::Windows::ApplicationModel::Email::IEmailRecipient #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient_FWD_DEFINED__ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE #define DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("12238d88-1a2f-5e7a-89b1-8dc140536bac")) IIterator<ABI::Windows::ApplicationModel::Email::EmailRecipient*> : IIterator_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::EmailRecipient*, ABI::Windows::ApplicationModel::Email::IEmailRecipient*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterator`1<Windows.ApplicationModel.Email.EmailRecipient>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterator<ABI::Windows::ApplicationModel::Email::EmailRecipient*> __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_t; #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient ABI::Windows::Foundation::Collections::__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE #define DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("5f18cab2-236d-5ec5-bc64-e3e63d29e774")) IIterable<ABI::Windows::ApplicationModel::Email::EmailRecipient*> : IIterable_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::EmailRecipient*, ABI::Windows::ApplicationModel::Email::IEmailRecipient*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterable`1<Windows.ApplicationModel.Email.EmailRecipient>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterable<ABI::Windows::ApplicationModel::Email::EmailRecipient*> __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_t; #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient ABI::Windows::Foundation::Collections::__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { class EmailRecipientResolutionResult; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { interface IEmailRecipientResolutionResult; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult ABI::Windows::ApplicationModel::Email::IEmailRecipientResolutionResult #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult_FWD_DEFINED__ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #ifndef DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_USE #define DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("5c040cd6-9593-5e74-9a5e-7284cd1b7200")) IIterator<ABI::Windows::ApplicationModel::Email::EmailRecipientResolutionResult*> : IIterator_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::EmailRecipientResolutionResult*, ABI::Windows::ApplicationModel::Email::IEmailRecipientResolutionResult*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterator`1<Windows.ApplicationModel.Email.EmailRecipientResolutionResult>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterator<ABI::Windows::ApplicationModel::Email::EmailRecipientResolutionResult*> __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_t; #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult ABI::Windows::Foundation::Collections::__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #ifndef DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_USE #define DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("cae3c1c4-c689-5787-976f-1a158ffdd16b")) IIterable<ABI::Windows::ApplicationModel::Email::EmailRecipientResolutionResult*> : IIterable_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::EmailRecipientResolutionResult*, ABI::Windows::ApplicationModel::Email::IEmailRecipientResolutionResult*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterable`1<Windows.ApplicationModel.Email.EmailRecipientResolutionResult>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterable<ABI::Windows::ApplicationModel::Email::EmailRecipientResolutionResult*> __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_t; #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult ABI::Windows::Foundation::Collections::__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 namespace ABI { namespace Windows { namespace Security { namespace Cryptography { namespace Certificates { class Certificate; } /* Certificates */ } /* Cryptography */ } /* Security */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate_FWD_DEFINED__ #define ____x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate_FWD_DEFINED__ namespace ABI { namespace Windows { namespace Security { namespace Cryptography { namespace Certificates { interface ICertificate; } /* Certificates */ } /* Cryptography */ } /* Security */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate ABI::Windows::Security::Cryptography::Certificates::ICertificate #endif // ____x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate_FWD_DEFINED__ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef DEF___FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE #define DEF___FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("676fc159-f15c-58bd-91a7-28f7e795c756")) IIterator<ABI::Windows::Security::Cryptography::Certificates::Certificate*> : IIterator_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::Security::Cryptography::Certificates::Certificate*, ABI::Windows::Security::Cryptography::Certificates::ICertificate*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterator`1<Windows.Security.Cryptography.Certificates.Certificate>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterator<ABI::Windows::Security::Cryptography::Certificates::Certificate*> __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_t; #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate ABI::Windows::Foundation::Collections::__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef DEF___FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE #define DEF___FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("0c7d1423-e8fd-5a91-b55c-8bfbe7ac2d40")) IIterable<ABI::Windows::Security::Cryptography::Certificates::Certificate*> : IIterable_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::Security::Cryptography::Certificates::Certificate*, ABI::Windows::Security::Cryptography::Certificates::ICertificate*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IIterable`1<Windows.Security.Cryptography.Certificates.Certificate>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IIterable<ABI::Windows::Security::Cryptography::Certificates::Certificate*> __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_t; #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate ABI::Windows::Foundation::Collections::__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef DEF___FIVectorView_1_HSTRING_USE #define DEF___FIVectorView_1_HSTRING_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("2f13c006-a03a-5f69-b090-75a43e33423e")) IVectorView<HSTRING> : IVectorView_impl<HSTRING> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IVectorView`1<String>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IVectorView<HSTRING> __FIVectorView_1_HSTRING_t; #define __FIVectorView_1_HSTRING ABI::Windows::Foundation::Collections::__FIVectorView_1_HSTRING_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIVectorView_1_HSTRING_USE */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef DEF___FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE #define DEF___FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("f6d6af60-f11a-5c03-80cc-473407a5aabf")) IVectorView<ABI::Windows::ApplicationModel::Email::EmailRecipient*> : IVectorView_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::EmailRecipient*, ABI::Windows::ApplicationModel::Email::IEmailRecipient*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IVectorView`1<Windows.ApplicationModel.Email.EmailRecipient>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IVectorView<ABI::Windows::ApplicationModel::Email::EmailRecipient*> __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_t; #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient ABI::Windows::Foundation::Collections::__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef DEF___FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE #define DEF___FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { namespace Collections { template <> struct __declspec(uuid("963f7013-77c2-51c5-8038-b5bcef633edb")) IVectorView<ABI::Windows::Security::Cryptography::Certificates::Certificate*> : IVectorView_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::Security::Cryptography::Certificates::Certificate*, ABI::Windows::Security::Cryptography::Certificates::ICertificate*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.Collections.IVectorView`1<Windows.Security.Cryptography.Certificates.Certificate>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef IVectorView<ABI::Windows::Security::Cryptography::Certificates::Certificate*> __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_t; #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate ABI::Windows::Foundation::Collections::__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_t /* Collections */ } /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailDataProviderConnection; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxCreateFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("8c7db52d-496e-5419-bd78-b8b657cf4e66")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxCreateFolderRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxCreateFolderRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxCreateFolderRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxCreateFolderRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxDeleteFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("d962a9b6-bbb4-5d82-84b4-8f703bf3086f")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDeleteFolderRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDeleteFolderRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDeleteFolderRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDeleteFolderRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxDownloadAttachmentRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("d2e92019-b997-5cd6-8f88-4dbc6f969f15")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDownloadAttachmentRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDownloadAttachmentRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadAttachmentRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDownloadAttachmentRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxDownloadMessageRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("e1b59b2f-ddd5-5159-ae9a-14a866912095")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDownloadMessageRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDownloadMessageRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadMessageRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxDownloadMessageRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxEmptyFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("9a851b84-bcb1-5121-ab61-3efe568f683d")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxEmptyFolderRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxEmptyFolderRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxEmptyFolderRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxEmptyFolderRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxForwardMeetingRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("9d6a017f-5a70-5d83-a680-d2806748ca0b")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxForwardMeetingRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxForwardMeetingRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxForwardMeetingRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxForwardMeetingRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxGetAutoReplySettingsRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("587c6f92-a969-57b3-895f-9a06b3650d3a")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxGetAutoReplySettingsRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxGetAutoReplySettingsRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxGetAutoReplySettingsRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxGetAutoReplySettingsRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxMoveFolderRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("2c6bf2c8-42f3-523d-80db-170e4fb1567f")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxMoveFolderRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxMoveFolderRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxMoveFolderRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxMoveFolderRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxProposeNewTimeForMeetingRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("309d8bde-1e60-524b-828c-5a3d64a672aa")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxProposeNewTimeForMeetingRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxProposeNewTimeForMeetingRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxProposeNewTimeForMeetingRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxProposeNewTimeForMeetingRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxResolveRecipientsRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("ec14e586-e4fb-5fc0-91fc-931ce17a3fc3")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxResolveRecipientsRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxResolveRecipientsRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxResolveRecipientsRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxResolveRecipientsRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxServerSearchReadBatchRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("f8bf9067-7d11-56a0-a303-163435c14016")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxServerSearchReadBatchRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxServerSearchReadBatchRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxServerSearchReadBatchRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxServerSearchReadBatchRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxSetAutoReplySettingsRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("aa4f8fb3-05e0-54e6-afac-a28e853e756e")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxSetAutoReplySettingsRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxSetAutoReplySettingsRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSetAutoReplySettingsRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxSetAutoReplySettingsRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxSyncManagerSyncRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("b65fc3ec-9476-51c4-ba70-1505d79826b9")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxSyncManagerSyncRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxSyncManagerSyncRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSyncManagerSyncRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxSyncManagerSyncRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxUpdateMeetingResponseRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("3274fbfd-c10a-5b30-adea-2b4b860b4a0d")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxUpdateMeetingResponseRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxUpdateMeetingResponseRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxUpdateMeetingResponseRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxUpdateMeetingResponseRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxValidateCertificatesRequestEventArgs; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_USE #define DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_USE #if !defined(RO_NO_TEMPLATE_NAME) namespace ABI { namespace Windows { namespace Foundation { template <> struct __declspec(uuid("de2625f7-e16f-512e-a8c6-b7445532bcc6")) ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxValidateCertificatesRequestEventArgs*> : ITypedEventHandler_impl<ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection*>, ABI::Windows::Foundation::Internal::AggregateType<ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxValidateCertificatesRequestEventArgs*, ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxValidateCertificatesRequestEventArgs*>> { static const wchar_t* z_get_rc_name_impl() { return L"Windows.Foundation.TypedEventHandler`2<Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection, Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequestEventArgs>"; } }; // Define a typedef for the parameterized interface specialization's mangled name. // This allows code which uses the mangled name for the parameterized interface to access the // correct parameterized interface specialization. typedef ITypedEventHandler<ABI::Windows::ApplicationModel::Email::DataProvider::EmailDataProviderConnection*, ABI::Windows::ApplicationModel::Email::DataProvider::EmailMailboxValidateCertificatesRequestEventArgs*> __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_t; #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs ABI::Windows::Foundation::__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_t /* Foundation */ } /* Windows */ } /* ABI */ } #endif // !defined(RO_NO_TEMPLATE_NAME) #endif /* DEF___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_USE */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailBatchStatus : int EmailBatchStatus; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { class EmailFolder; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { interface IEmailFolder; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder ABI::Windows::ApplicationModel::Email::IEmailFolder #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailMailboxAutoReplyMessageResponseKind : int EmailMailboxAutoReplyMessageResponseKind; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { class EmailMailboxAutoReplySettings; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { interface IEmailMailboxAutoReplySettings; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings ABI::Windows::ApplicationModel::Email::IEmailMailboxAutoReplySettings #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailMailboxCreateFolderStatus : int EmailMailboxCreateFolderStatus; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailMailboxDeleteFolderStatus : int EmailMailboxDeleteFolderStatus; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailMailboxEmptyFolderStatus : int EmailMailboxEmptyFolderStatus; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailMeetingResponseType : int EmailMeetingResponseType; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { class EmailMessage; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { interface IEmailMessage; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage ABI::Windows::ApplicationModel::Email::IEmailMessage #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { typedef enum EmailMessageBodyKind : int EmailMessageBodyKind; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { class EmailQueryOptions; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions_FWD_DEFINED__ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { interface IEmailQueryOptions; } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions ABI::Windows::ApplicationModel::Email::IEmailQueryOptions #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions_FWD_DEFINED__ namespace ABI { namespace Windows { namespace Foundation { typedef struct DateTime DateTime; } /* Foundation */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace Foundation { class Deferral; } /* Foundation */ } /* Windows */ } /* ABI */ #ifndef ____x_ABI_CWindows_CFoundation_CIDeferral_FWD_DEFINED__ #define ____x_ABI_CWindows_CFoundation_CIDeferral_FWD_DEFINED__ namespace ABI { namespace Windows { namespace Foundation { interface IDeferral; } /* Foundation */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CFoundation_CIDeferral ABI::Windows::Foundation::IDeferral #endif // ____x_ABI_CWindows_CFoundation_CIDeferral_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CFoundation_CIAsyncAction_FWD_DEFINED__ #define ____x_ABI_CWindows_CFoundation_CIAsyncAction_FWD_DEFINED__ namespace ABI { namespace Windows { namespace Foundation { interface IAsyncAction; } /* Foundation */ } /* Windows */ } /* ABI */ #define __x_ABI_CWindows_CFoundation_CIAsyncAction ABI::Windows::Foundation::IAsyncAction #endif // ____x_ABI_CWindows_CFoundation_CIAsyncAction_FWD_DEFINED__ namespace ABI { namespace Windows { namespace Foundation { typedef struct TimeSpan TimeSpan; } /* Foundation */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxCreateFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxDeleteFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxDownloadAttachmentRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxDownloadMessageRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxEmptyFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxForwardMeetingRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxGetAutoReplySettingsRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxMoveFolderRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxProposeNewTimeForMeetingRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxResolveRecipientsRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxServerSearchReadBatchRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxSetAutoReplySettingsRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxSyncManagerSyncRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxUpdateMeetingResponseRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { class EmailMailboxValidateCertificatesRequest; } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderConnection * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailDataProviderConnection[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderConnection"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("3b9c9dc7-37b2-4bf0-ae30-7b644a1c96e1") IEmailDataProviderConnection : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE add_MailboxSyncRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_MailboxSyncRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_DownloadMessageRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_DownloadMessageRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_DownloadAttachmentRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_DownloadAttachmentRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_CreateFolderRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_CreateFolderRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_DeleteFolderRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_DeleteFolderRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_EmptyFolderRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_EmptyFolderRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_MoveFolderRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_MoveFolderRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_UpdateMeetingResponseRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_UpdateMeetingResponseRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_ForwardMeetingRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_ForwardMeetingRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_ProposeNewTimeForMeetingRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_ProposeNewTimeForMeetingRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_SetAutoReplySettingsRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_SetAutoReplySettingsRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_GetAutoReplySettingsRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_GetAutoReplySettingsRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_ResolveRecipientsRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_ResolveRecipientsRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_ValidateCertificatesRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_ValidateCertificatesRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE add_ServerSearchReadBatchRequested( __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs* handler, EventRegistrationToken* token ) = 0; virtual HRESULT STDMETHODCALLTYPE remove_ServerSearchReadBatchRequested( EventRegistrationToken token ) = 0; virtual HRESULT STDMETHODCALLTYPE Start(void) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailDataProviderConnection = _uuidof(IEmailDataProviderConnection); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderTriggerDetails * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailDataProviderTriggerDetails * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailDataProviderTriggerDetails[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderTriggerDetails"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("8f3e4e50-341e-45f3-bba0-84a005e1319a") IEmailDataProviderTriggerDetails : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Connection( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailDataProviderConnection** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailDataProviderTriggerDetails = _uuidof(IEmailDataProviderTriggerDetails); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxCreateFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("184d3775-c921-4c39-a309-e16c9f22b04b") IEmailMailboxCreateFolderRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_ParentFolderId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Name( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::ApplicationModel::Email::IEmailFolder* folder, ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::ApplicationModel::Email::EmailMailboxCreateFolderStatus status, ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxCreateFolderRequest = _uuidof(IEmailMailboxCreateFolderRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxCreateFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("03e4c02c-241c-4ea9-a68f-ff20bc5afc85") IEmailMailboxCreateFolderRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxCreateFolderRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxCreateFolderRequestEventArgs = _uuidof(IEmailMailboxCreateFolderRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDeleteFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("9469e88a-a931-4779-923d-09a3ea292e29") IEmailMailboxDeleteFolderRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailFolderId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::ApplicationModel::Email::EmailMailboxDeleteFolderStatus status, ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxDeleteFolderRequest = _uuidof(IEmailMailboxDeleteFolderRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDeleteFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("b4d32d06-2332-4678-8378-28b579336846") IEmailMailboxDeleteFolderRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDeleteFolderRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxDeleteFolderRequestEventArgs = _uuidof(IEmailMailboxDeleteFolderRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadAttachmentRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("0b1dbbb4-750c-48e1-bce4-8d589684ffbc") IEmailMailboxDownloadAttachmentRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailMessageId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailAttachmentId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxDownloadAttachmentRequest = _uuidof(IEmailMailboxDownloadAttachmentRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadAttachmentRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("ccddc46d-ffa8-4877-9f9d-fed7bcaf4104") IEmailMailboxDownloadAttachmentRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadAttachmentRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxDownloadAttachmentRequestEventArgs = _uuidof(IEmailMailboxDownloadAttachmentRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadMessageRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("497b4187-5b4d-4b23-816c-f3842beb753e") IEmailMailboxDownloadMessageRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailMessageId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxDownloadMessageRequest = _uuidof(IEmailMailboxDownloadMessageRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadMessageRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("470409ad-d0a0-4a5b-bb2a-37621039c53e") IEmailMailboxDownloadMessageRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxDownloadMessageRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxDownloadMessageRequestEventArgs = _uuidof(IEmailMailboxDownloadMessageRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxEmptyFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("fe4b03ab-f86d-46d9-b4ce-bc8a6d9e9268") IEmailMailboxEmptyFolderRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailFolderId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::ApplicationModel::Email::EmailMailboxEmptyFolderStatus status, ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxEmptyFolderRequest = _uuidof(IEmailMailboxEmptyFolderRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxEmptyFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("7183f484-985a-4ac0-b33f-ee0e2627a3c0") IEmailMailboxEmptyFolderRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxEmptyFolderRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxEmptyFolderRequestEventArgs = _uuidof(IEmailMailboxEmptyFolderRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxForwardMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("616d6af1-70d4-4832-b869-b80542ae9be8") IEmailMailboxForwardMeetingRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailMessageId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Recipients( __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient** value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Subject( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_ForwardHeaderType( ABI::Windows::ApplicationModel::Email::EmailMessageBodyKind* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_ForwardHeader( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Comment( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxForwardMeetingRequest = _uuidof(IEmailMailboxForwardMeetingRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxForwardMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("2bd8f33a-2974-4759-a5a5-58f44d3c0275") IEmailMailboxForwardMeetingRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxForwardMeetingRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxForwardMeetingRequestEventArgs = _uuidof(IEmailMailboxForwardMeetingRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxGetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("9b380789-1e88-4e01-84cc-1386ad9a2c2f") IEmailMailboxGetAutoReplySettingsRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_RequestedFormat( ABI::Windows::ApplicationModel::Email::EmailMailboxAutoReplyMessageResponseKind* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::ApplicationModel::Email::IEmailMailboxAutoReplySettings* autoReplySettings, ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxGetAutoReplySettingsRequest = _uuidof(IEmailMailboxGetAutoReplySettingsRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxGetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("d79f55c2-fd45-4004-8a91-9bacf38b7022") IEmailMailboxGetAutoReplySettingsRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxGetAutoReplySettingsRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxGetAutoReplySettingsRequestEventArgs = _uuidof(IEmailMailboxGetAutoReplySettingsRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxMoveFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("10ba2856-4a95-4068-91cc-67cc7acf454f") IEmailMailboxMoveFolderRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailFolderId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_NewParentFolderId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_NewFolderName( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxMoveFolderRequest = _uuidof(IEmailMailboxMoveFolderRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxMoveFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("38623020-14ba-4c88-8698-7239e3c8aaa7") IEmailMailboxMoveFolderRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxMoveFolderRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxMoveFolderRequestEventArgs = _uuidof(IEmailMailboxMoveFolderRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxProposeNewTimeForMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("5aeff152-9799-4f9f-a399-ff07f3eef04e") IEmailMailboxProposeNewTimeForMeetingRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailMessageId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_NewStartTime( ABI::Windows::Foundation::DateTime* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_NewDuration( ABI::Windows::Foundation::TimeSpan* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Subject( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Comment( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxProposeNewTimeForMeetingRequest = _uuidof(IEmailMailboxProposeNewTimeForMeetingRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxProposeNewTimeForMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("fb480b98-33ad-4a67-8251-0f9c249b6a20") IEmailMailboxProposeNewTimeForMeetingRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxProposeNewTimeForMeetingRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxProposeNewTimeForMeetingRequestEventArgs = _uuidof(IEmailMailboxProposeNewTimeForMeetingRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxResolveRecipientsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("efa4cf70-7b39-4c9b-811e-41eaf43a332d") IEmailMailboxResolveRecipientsRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Recipients( __FIVectorView_1_HSTRING** value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* resolutionResults, ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxResolveRecipientsRequest = _uuidof(IEmailMailboxResolveRecipientsRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxResolveRecipientsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("260f9e02-b2cf-40f8-8c28-e3ed43b1e89a") IEmailMailboxResolveRecipientsRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxResolveRecipientsRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxResolveRecipientsRequestEventArgs = _uuidof(IEmailMailboxResolveRecipientsRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxServerSearchReadBatchRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("090eebdf-5a96-41d3-8ad8-34912f9aa60e") IEmailMailboxServerSearchReadBatchRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_SessionId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailFolderId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Options( ABI::Windows::ApplicationModel::Email::IEmailQueryOptions** value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_SuggestedBatchSize( UINT32* value ) = 0; virtual HRESULT STDMETHODCALLTYPE SaveMessageAsync( ABI::Windows::ApplicationModel::Email::IEmailMessage* message, ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::ApplicationModel::Email::EmailBatchStatus batchStatus, ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxServerSearchReadBatchRequest = _uuidof(IEmailMailboxServerSearchReadBatchRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxServerSearchReadBatchRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("14101b4e-ed9e-45d1-ad7a-cc9b7f643ae2") IEmailMailboxServerSearchReadBatchRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxServerSearchReadBatchRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxServerSearchReadBatchRequestEventArgs = _uuidof(IEmailMailboxServerSearchReadBatchRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("75a422d0-a88e-4e54-8dc7-c243186b774e") IEmailMailboxSetAutoReplySettingsRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_AutoReplySettings( ABI::Windows::ApplicationModel::Email::IEmailMailboxAutoReplySettings** value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxSetAutoReplySettingsRequest = _uuidof(IEmailMailboxSetAutoReplySettingsRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("09da11ad-d7ca-4087-ac86-53fa67f76246") IEmailMailboxSetAutoReplySettingsRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSetAutoReplySettingsRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxSetAutoReplySettingsRequestEventArgs = _uuidof(IEmailMailboxSetAutoReplySettingsRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSyncManagerSyncRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("4e10e8e4-7e67-405a-b673-dc60c91090fc") IEmailMailboxSyncManagerSyncRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxSyncManagerSyncRequest = _uuidof(IEmailMailboxSyncManagerSyncRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSyncManagerSyncRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("439a031a-8fcc-4ae5-b9b5-d434e0a65aa8") IEmailMailboxSyncManagerSyncRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxSyncManagerSyncRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxSyncManagerSyncRequestEventArgs = _uuidof(IEmailMailboxSyncManagerSyncRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxUpdateMeetingResponseRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("5b99ac93-b2cf-4888-ba4f-306b6b66df30") IEmailMailboxUpdateMeetingResponseRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_EmailMessageId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Response( ABI::Windows::ApplicationModel::Email::EmailMeetingResponseType* response ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Subject( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Comment( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_SendUpdate( boolean* value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxUpdateMeetingResponseRequest = _uuidof(IEmailMailboxUpdateMeetingResponseRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxUpdateMeetingResponseRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("6898d761-56c9-4f17-be31-66fda94ba159") IEmailMailboxUpdateMeetingResponseRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxUpdateMeetingResponseRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxUpdateMeetingResponseRequestEventArgs = _uuidof(IEmailMailboxUpdateMeetingResponseRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxValidateCertificatesRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequest"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("a94d3931-e11a-4f97-b81a-187a70a8f41a") IEmailMailboxValidateCertificatesRequest : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_EmailMailboxId( HSTRING* value ) = 0; virtual HRESULT STDMETHODCALLTYPE get_Certificates( __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate** value ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportCompletedAsync( __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* validationStatuses, ABI::Windows::Foundation::IAsyncAction** result ) = 0; virtual HRESULT STDMETHODCALLTYPE ReportFailedAsync( ABI::Windows::Foundation::IAsyncAction** result ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxValidateCertificatesRequest = _uuidof(IEmailMailboxValidateCertificatesRequest); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxValidateCertificatesRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequestEventArgs"; namespace ABI { namespace Windows { namespace ApplicationModel { namespace Email { namespace DataProvider { MIDL_INTERFACE("2583bf17-02ff-49fe-a73c-03f37566c691") IEmailMailboxValidateCertificatesRequestEventArgs : public IInspectable { public: virtual HRESULT STDMETHODCALLTYPE get_Request( ABI::Windows::ApplicationModel::Email::DataProvider::IEmailMailboxValidateCertificatesRequest** value ) = 0; virtual HRESULT STDMETHODCALLTYPE GetDeferral( ABI::Windows::Foundation::IDeferral** value ) = 0; }; extern MIDL_CONST_ID IID& IID_IEmailMailboxValidateCertificatesRequestEventArgs = _uuidof(IEmailMailboxValidateCertificatesRequestEventArgs); } /* DataProvider */ } /* Email */ } /* ApplicationModel */ } /* Windows */ } /* ABI */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderConnection ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderConnection_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderConnection_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderConnection[] = L"Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailDataProviderTriggerDetails * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderTriggerDetails ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderTriggerDetails_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderTriggerDetails_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderTriggerDetails[] = L"Windows.ApplicationModel.Email.DataProvider.EmailDataProviderTriggerDetails"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #else // !defined(__cplusplus) /* Forward Declarations */ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_FWD_DEFINED__ // Parameterized interface forward declarations (C) // Collection interface definitions #if !defined(____FIIterator_1_HSTRING_INTERFACE_DEFINED__) #define ____FIIterator_1_HSTRING_INTERFACE_DEFINED__ typedef interface __FIIterator_1_HSTRING __FIIterator_1_HSTRING; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterator_1_HSTRING; typedef struct __FIIterator_1_HSTRINGVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterator_1_HSTRING* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterator_1_HSTRING* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterator_1_HSTRING* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterator_1_HSTRING* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterator_1_HSTRING* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterator_1_HSTRING* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Current)(__FIIterator_1_HSTRING* This, HSTRING* result); HRESULT (STDMETHODCALLTYPE* get_HasCurrent)(__FIIterator_1_HSTRING* This, boolean* result); HRESULT (STDMETHODCALLTYPE* MoveNext)(__FIIterator_1_HSTRING* This, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIIterator_1_HSTRING* This, UINT32 itemsLength, HSTRING* items, UINT32* result); END_INTERFACE } __FIIterator_1_HSTRINGVtbl; interface __FIIterator_1_HSTRING { CONST_VTBL struct __FIIterator_1_HSTRINGVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterator_1_HSTRING_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterator_1_HSTRING_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterator_1_HSTRING_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterator_1_HSTRING_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterator_1_HSTRING_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterator_1_HSTRING_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterator_1_HSTRING_get_Current(This, result) \ ((This)->lpVtbl->get_Current(This, result)) #define __FIIterator_1_HSTRING_get_HasCurrent(This, result) \ ((This)->lpVtbl->get_HasCurrent(This, result)) #define __FIIterator_1_HSTRING_MoveNext(This, result) \ ((This)->lpVtbl->MoveNext(This, result)) #define __FIIterator_1_HSTRING_GetMany(This, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIIterator_1_HSTRING_INTERFACE_DEFINED__ #if !defined(____FIIterable_1_HSTRING_INTERFACE_DEFINED__) #define ____FIIterable_1_HSTRING_INTERFACE_DEFINED__ typedef interface __FIIterable_1_HSTRING __FIIterable_1_HSTRING; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterable_1_HSTRING; typedef struct __FIIterable_1_HSTRINGVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterable_1_HSTRING* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterable_1_HSTRING* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterable_1_HSTRING* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterable_1_HSTRING* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterable_1_HSTRING* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterable_1_HSTRING* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* First)(__FIIterable_1_HSTRING* This, __FIIterator_1_HSTRING** result); END_INTERFACE } __FIIterable_1_HSTRINGVtbl; interface __FIIterable_1_HSTRING { CONST_VTBL struct __FIIterable_1_HSTRINGVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterable_1_HSTRING_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterable_1_HSTRING_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterable_1_HSTRING_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterable_1_HSTRING_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterable_1_HSTRING_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterable_1_HSTRING_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterable_1_HSTRING_First(This, result) \ ((This)->lpVtbl->First(This, result)) #endif /* COBJMACROS */ #endif // ____FIIterable_1_HSTRING_INTERFACE_DEFINED__ typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailCertificateValidationStatus __x_ABI_CWindows_CApplicationModel_CEmail_CEmailCertificateValidationStatus; #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if !defined(____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_INTERFACE_DEFINED__) #define ____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_INTERFACE_DEFINED__ typedef interface __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus; typedef struct __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatusVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Current)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailCertificateValidationStatus* result); HRESULT (STDMETHODCALLTYPE* get_HasCurrent)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, boolean* result); HRESULT (STDMETHODCALLTYPE* MoveNext)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, UINT32 itemsLength, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailCertificateValidationStatus* items, UINT32* result); END_INTERFACE } __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatusVtbl; interface __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus { CONST_VTBL struct __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatusVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_get_Current(This, result) \ ((This)->lpVtbl->get_Current(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_get_HasCurrent(This, result) \ ((This)->lpVtbl->get_HasCurrent(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_MoveNext(This, result) \ ((This)->lpVtbl->MoveNext(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_GetMany(This, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if !defined(____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_INTERFACE_DEFINED__) #define ____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_INTERFACE_DEFINED__ typedef interface __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus; typedef struct __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatusVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* First)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* This, __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus** result); END_INTERFACE } __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatusVtbl; interface __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus { CONST_VTBL struct __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatusVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_First(This, result) \ ((This)->lpVtbl->First(This, result)) #endif /* COBJMACROS */ #endif // ____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient_FWD_DEFINED__ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if !defined(____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__) #define ____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__ typedef interface __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient; typedef struct __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Current)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient** result); HRESULT (STDMETHODCALLTYPE* get_HasCurrent)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, boolean* result); HRESULT (STDMETHODCALLTYPE* MoveNext)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, UINT32 itemsLength, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient** items, UINT32* result); END_INTERFACE } __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl; interface __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient { CONST_VTBL struct __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_get_Current(This, result) \ ((This)->lpVtbl->get_Current(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_get_HasCurrent(This, result) \ ((This)->lpVtbl->get_HasCurrent(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_MoveNext(This, result) \ ((This)->lpVtbl->MoveNext(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetMany(This, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if !defined(____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__) #define ____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__ typedef interface __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient; typedef struct __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* First)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipient** result); END_INTERFACE } __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl; interface __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient { CONST_VTBL struct __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_First(This, result) \ ((This)->lpVtbl->First(This, result)) #endif /* COBJMACROS */ #endif // ____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult_FWD_DEFINED__ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if !defined(____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_INTERFACE_DEFINED__) #define ____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_INTERFACE_DEFINED__ typedef interface __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult; typedef struct __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResultVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Current)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult** result); HRESULT (STDMETHODCALLTYPE* get_HasCurrent)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, boolean* result); HRESULT (STDMETHODCALLTYPE* MoveNext)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, UINT32 itemsLength, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipientResolutionResult** items, UINT32* result); END_INTERFACE } __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResultVtbl; interface __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult { CONST_VTBL struct __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResultVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_get_Current(This, result) \ ((This)->lpVtbl->get_Current(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_get_HasCurrent(This, result) \ ((This)->lpVtbl->get_HasCurrent(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_MoveNext(This, result) \ ((This)->lpVtbl->MoveNext(This, result)) #define __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_GetMany(This, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #if !defined(____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_INTERFACE_DEFINED__) #define ____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_INTERFACE_DEFINED__ typedef interface __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult; typedef struct __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResultVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* First)(__FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* This, __FIIterator_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult** result); END_INTERFACE } __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResultVtbl; interface __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult { CONST_VTBL struct __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResultVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_First(This, result) \ ((This)->lpVtbl->First(This, result)) #endif /* COBJMACROS */ #endif // ____FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x20000 #ifndef ____x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate_FWD_DEFINED__ #define ____x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate; #endif // ____x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate_FWD_DEFINED__ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if !defined(____FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__) #define ____FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__ typedef interface __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate; typedef struct __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Current)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate** result); HRESULT (STDMETHODCALLTYPE* get_HasCurrent)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, boolean* result); HRESULT (STDMETHODCALLTYPE* MoveNext)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, UINT32 itemsLength, __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate** items, UINT32* result); END_INTERFACE } __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl; interface __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate { CONST_VTBL struct __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_get_Current(This, result) \ ((This)->lpVtbl->get_Current(This, result)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_get_HasCurrent(This, result) \ ((This)->lpVtbl->get_HasCurrent(This, result)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_MoveNext(This, result) \ ((This)->lpVtbl->MoveNext(This, result)) #define __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetMany(This, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if !defined(____FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__) #define ____FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__ typedef interface __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate; typedef struct __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This); ULONG (STDMETHODCALLTYPE* Release)(__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* First)(__FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, __FIIterator_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate** result); END_INTERFACE } __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl; interface __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate { CONST_VTBL struct __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_First(This, result) \ ((This)->lpVtbl->First(This, result)) #endif /* COBJMACROS */ #endif // ____FIIterable_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if !defined(____FIVectorView_1_HSTRING_INTERFACE_DEFINED__) #define ____FIVectorView_1_HSTRING_INTERFACE_DEFINED__ typedef interface __FIVectorView_1_HSTRING __FIVectorView_1_HSTRING; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIVectorView_1_HSTRING; typedef struct __FIVectorView_1_HSTRINGVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIVectorView_1_HSTRING* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIVectorView_1_HSTRING* This); ULONG (STDMETHODCALLTYPE* Release)(__FIVectorView_1_HSTRING* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIVectorView_1_HSTRING* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIVectorView_1_HSTRING* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIVectorView_1_HSTRING* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* GetAt)(__FIVectorView_1_HSTRING* This, UINT32 index, HSTRING* result); HRESULT (STDMETHODCALLTYPE* get_Size)(__FIVectorView_1_HSTRING* This, UINT32* result); HRESULT (STDMETHODCALLTYPE* IndexOf)(__FIVectorView_1_HSTRING* This, HSTRING value, UINT32* index, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIVectorView_1_HSTRING* This, UINT32 startIndex, UINT32 itemsLength, HSTRING* items, UINT32* result); END_INTERFACE } __FIVectorView_1_HSTRINGVtbl; interface __FIVectorView_1_HSTRING { CONST_VTBL struct __FIVectorView_1_HSTRINGVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIVectorView_1_HSTRING_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIVectorView_1_HSTRING_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIVectorView_1_HSTRING_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIVectorView_1_HSTRING_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIVectorView_1_HSTRING_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIVectorView_1_HSTRING_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIVectorView_1_HSTRING_GetAt(This, index, result) \ ((This)->lpVtbl->GetAt(This, index, result)) #define __FIVectorView_1_HSTRING_get_Size(This, result) \ ((This)->lpVtbl->get_Size(This, result)) #define __FIVectorView_1_HSTRING_IndexOf(This, value, index, result) \ ((This)->lpVtbl->IndexOf(This, value, index, result)) #define __FIVectorView_1_HSTRING_GetMany(This, startIndex, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, startIndex, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIVectorView_1_HSTRING_INTERFACE_DEFINED__ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if !defined(____FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__) #define ____FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__ typedef interface __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient; typedef struct __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This); ULONG (STDMETHODCALLTYPE* Release)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* GetAt)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, UINT32 index, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient** result); HRESULT (STDMETHODCALLTYPE* get_Size)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, UINT32* result); HRESULT (STDMETHODCALLTYPE* IndexOf)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient* value, UINT32* index, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient* This, UINT32 startIndex, UINT32 itemsLength, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailRecipient** items, UINT32* result); END_INTERFACE } __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl; interface __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient { CONST_VTBL struct __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipientVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetAt(This, index, result) \ ((This)->lpVtbl->GetAt(This, index, result)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_get_Size(This, result) \ ((This)->lpVtbl->get_Size(This, result)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_IndexOf(This, value, index, result) \ ((This)->lpVtbl->IndexOf(This, value, index, result)) #define __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_GetMany(This, startIndex, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, startIndex, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if !defined(____FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__) #define ____FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__ typedef interface __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate; // Declare the parameterized interface IID. EXTERN_C const IID IID___FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate; typedef struct __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This); ULONG (STDMETHODCALLTYPE* Release)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* GetAt)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, UINT32 index, __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate** result); HRESULT (STDMETHODCALLTYPE* get_Size)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, UINT32* result); HRESULT (STDMETHODCALLTYPE* IndexOf)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate* value, UINT32* index, boolean* result); HRESULT (STDMETHODCALLTYPE* GetMany)(__FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate* This, UINT32 startIndex, UINT32 itemsLength, __x_ABI_CWindows_CSecurity_CCryptography_CCertificates_CICertificate** items, UINT32* result); END_INTERFACE } __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl; interface __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate { CONST_VTBL struct __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificateVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetAt(This, index, result) \ ((This)->lpVtbl->GetAt(This, index, result)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_get_Size(This, result) \ ((This)->lpVtbl->get_Size(This, result)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_IndexOf(This, value, index, result) \ ((This)->lpVtbl->IndexOf(This, value, index, result)) #define __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_GetMany(This, startIndex, itemsLength, items, result) \ ((This)->lpVtbl->GetMany(This, startIndex, itemsLength, items, result)) #endif /* COBJMACROS */ #endif // ____FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x10000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__) #define ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__ typedef interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs; // Declare the parameterized interface IID. EXTERN_C const IID IID___FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs; typedef struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* Invoke)(__FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* sender, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* args); END_INTERFACE } __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgsVtbl; interface __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs { CONST_VTBL struct __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_Invoke(This, sender, args) \ ((This)->lpVtbl->Invoke(This, sender, args)) #endif /* COBJMACROS */ #endif // ____FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailBatchStatus __x_ABI_CWindows_CApplicationModel_CEmail_CEmailBatchStatus; #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder_FWD_DEFINED__ typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxAutoReplyMessageResponseKind __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxAutoReplyMessageResponseKind; #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings_FWD_DEFINED__ typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxCreateFolderStatus __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxCreateFolderStatus; typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxDeleteFolderStatus __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxDeleteFolderStatus; typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxEmptyFolderStatus __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxEmptyFolderStatus; typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMeetingResponseType __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMeetingResponseType; #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage_FWD_DEFINED__ typedef enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMessageBodyKind __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMessageBodyKind; #ifndef ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions_FWD_DEFINED__ #define ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions; #endif // ____x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions_FWD_DEFINED__ typedef struct __x_ABI_CWindows_CFoundation_CDateTime __x_ABI_CWindows_CFoundation_CDateTime; #ifndef ____x_ABI_CWindows_CFoundation_CIDeferral_FWD_DEFINED__ #define ____x_ABI_CWindows_CFoundation_CIDeferral_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CFoundation_CIDeferral __x_ABI_CWindows_CFoundation_CIDeferral; #endif // ____x_ABI_CWindows_CFoundation_CIDeferral_FWD_DEFINED__ #ifndef ____x_ABI_CWindows_CFoundation_CIAsyncAction_FWD_DEFINED__ #define ____x_ABI_CWindows_CFoundation_CIAsyncAction_FWD_DEFINED__ typedef interface __x_ABI_CWindows_CFoundation_CIAsyncAction __x_ABI_CWindows_CFoundation_CIAsyncAction; #endif // ____x_ABI_CWindows_CFoundation_CIAsyncAction_FWD_DEFINED__ typedef struct __x_ABI_CWindows_CFoundation_CTimeSpan __x_ABI_CWindows_CFoundation_CTimeSpan; /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderConnection * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailDataProviderConnection[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderConnection"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnectionVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* add_MailboxSyncRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSyncManagerSyncRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_MailboxSyncRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_DownloadMessageRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadMessageRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_DownloadMessageRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_DownloadAttachmentRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDownloadAttachmentRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_DownloadAttachmentRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_CreateFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxCreateFolderRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_CreateFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_DeleteFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxDeleteFolderRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_DeleteFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_EmptyFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxEmptyFolderRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_EmptyFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_MoveFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxMoveFolderRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_MoveFolderRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_UpdateMeetingResponseRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxUpdateMeetingResponseRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_UpdateMeetingResponseRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_ForwardMeetingRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxForwardMeetingRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_ForwardMeetingRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_ProposeNewTimeForMeetingRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxProposeNewTimeForMeetingRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_ProposeNewTimeForMeetingRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_SetAutoReplySettingsRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxSetAutoReplySettingsRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_SetAutoReplySettingsRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_GetAutoReplySettingsRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxGetAutoReplySettingsRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_GetAutoReplySettingsRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_ResolveRecipientsRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxResolveRecipientsRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_ResolveRecipientsRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_ValidateCertificatesRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxValidateCertificatesRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_ValidateCertificatesRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* add_ServerSearchReadBatchRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, __FITypedEventHandler_2_Windows__CApplicationModel__CEmail__CDataProvider__CEmailDataProviderConnection_Windows__CApplicationModel__CEmail__CDataProvider__CEmailMailboxServerSearchReadBatchRequestEventArgs* handler, EventRegistrationToken* token); HRESULT (STDMETHODCALLTYPE* remove_ServerSearchReadBatchRequested)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This, EventRegistrationToken token); HRESULT (STDMETHODCALLTYPE* Start)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection* This); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnectionVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnectionVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_MailboxSyncRequested(This, handler, token) \ ((This)->lpVtbl->add_MailboxSyncRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_MailboxSyncRequested(This, token) \ ((This)->lpVtbl->remove_MailboxSyncRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_DownloadMessageRequested(This, handler, token) \ ((This)->lpVtbl->add_DownloadMessageRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_DownloadMessageRequested(This, token) \ ((This)->lpVtbl->remove_DownloadMessageRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_DownloadAttachmentRequested(This, handler, token) \ ((This)->lpVtbl->add_DownloadAttachmentRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_DownloadAttachmentRequested(This, token) \ ((This)->lpVtbl->remove_DownloadAttachmentRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_CreateFolderRequested(This, handler, token) \ ((This)->lpVtbl->add_CreateFolderRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_CreateFolderRequested(This, token) \ ((This)->lpVtbl->remove_CreateFolderRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_DeleteFolderRequested(This, handler, token) \ ((This)->lpVtbl->add_DeleteFolderRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_DeleteFolderRequested(This, token) \ ((This)->lpVtbl->remove_DeleteFolderRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_EmptyFolderRequested(This, handler, token) \ ((This)->lpVtbl->add_EmptyFolderRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_EmptyFolderRequested(This, token) \ ((This)->lpVtbl->remove_EmptyFolderRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_MoveFolderRequested(This, handler, token) \ ((This)->lpVtbl->add_MoveFolderRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_MoveFolderRequested(This, token) \ ((This)->lpVtbl->remove_MoveFolderRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_UpdateMeetingResponseRequested(This, handler, token) \ ((This)->lpVtbl->add_UpdateMeetingResponseRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_UpdateMeetingResponseRequested(This, token) \ ((This)->lpVtbl->remove_UpdateMeetingResponseRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_ForwardMeetingRequested(This, handler, token) \ ((This)->lpVtbl->add_ForwardMeetingRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_ForwardMeetingRequested(This, token) \ ((This)->lpVtbl->remove_ForwardMeetingRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_ProposeNewTimeForMeetingRequested(This, handler, token) \ ((This)->lpVtbl->add_ProposeNewTimeForMeetingRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_ProposeNewTimeForMeetingRequested(This, token) \ ((This)->lpVtbl->remove_ProposeNewTimeForMeetingRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_SetAutoReplySettingsRequested(This, handler, token) \ ((This)->lpVtbl->add_SetAutoReplySettingsRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_SetAutoReplySettingsRequested(This, token) \ ((This)->lpVtbl->remove_SetAutoReplySettingsRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_GetAutoReplySettingsRequested(This, handler, token) \ ((This)->lpVtbl->add_GetAutoReplySettingsRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_GetAutoReplySettingsRequested(This, token) \ ((This)->lpVtbl->remove_GetAutoReplySettingsRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_ResolveRecipientsRequested(This, handler, token) \ ((This)->lpVtbl->add_ResolveRecipientsRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_ResolveRecipientsRequested(This, token) \ ((This)->lpVtbl->remove_ResolveRecipientsRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_ValidateCertificatesRequested(This, handler, token) \ ((This)->lpVtbl->add_ValidateCertificatesRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_ValidateCertificatesRequested(This, token) \ ((This)->lpVtbl->remove_ValidateCertificatesRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_add_ServerSearchReadBatchRequested(This, handler, token) \ ((This)->lpVtbl->add_ServerSearchReadBatchRequested(This, handler, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_remove_ServerSearchReadBatchRequested(This, token) \ ((This)->lpVtbl->remove_ServerSearchReadBatchRequested(This, token)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_Start(This) \ ((This)->lpVtbl->Start(This)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderTriggerDetails * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailDataProviderTriggerDetails * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailDataProviderTriggerDetails[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderTriggerDetails"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetailsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Connection)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderConnection** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetailsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetailsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_get_Connection(This, value) \ ((This)->lpVtbl->get_Connection(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailDataProviderTriggerDetails_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxCreateFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_ParentFolderId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Name)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailFolder* folder, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxCreateFolderStatus status, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_get_ParentFolderId(This, value) \ ((This)->lpVtbl->get_ParentFolderId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_get_Name(This, value) \ ((This)->lpVtbl->get_Name(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_ReportCompletedAsync(This, folder, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, folder, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_ReportFailedAsync(This, status, result) \ ((This)->lpVtbl->ReportFailedAsync(This, status, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxCreateFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxCreateFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDeleteFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailFolderId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxDeleteFolderStatus status, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_get_EmailFolderId(This, value) \ ((This)->lpVtbl->get_EmailFolderId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_ReportFailedAsync(This, status, result) \ ((This)->lpVtbl->ReportFailedAsync(This, status, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDeleteFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDeleteFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadAttachmentRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailMessageId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailAttachmentId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_get_EmailMessageId(This, value) \ ((This)->lpVtbl->get_EmailMessageId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_get_EmailAttachmentId(This, value) \ ((This)->lpVtbl->get_EmailAttachmentId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadAttachmentRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadAttachmentRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadMessageRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailMessageId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_get_EmailMessageId(This, value) \ ((This)->lpVtbl->get_EmailMessageId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxDownloadMessageRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxDownloadMessageRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxEmptyFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailFolderId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxEmptyFolderStatus status, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_get_EmailFolderId(This, value) \ ((This)->lpVtbl->get_EmailFolderId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_ReportFailedAsync(This, status, result) \ ((This)->lpVtbl->ReportFailedAsync(This, status, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxEmptyFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxEmptyFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxForwardMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailMessageId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Recipients)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, __FIVectorView_1_Windows__CApplicationModel__CEmail__CEmailRecipient** value); HRESULT (STDMETHODCALLTYPE* get_Subject)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_ForwardHeaderType)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMessageBodyKind* value); HRESULT (STDMETHODCALLTYPE* get_ForwardHeader)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Comment)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_get_EmailMessageId(This, value) \ ((This)->lpVtbl->get_EmailMessageId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_get_Recipients(This, value) \ ((This)->lpVtbl->get_Recipients(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_get_Subject(This, value) \ ((This)->lpVtbl->get_Subject(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_get_ForwardHeaderType(This, value) \ ((This)->lpVtbl->get_ForwardHeaderType(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_get_ForwardHeader(This, value) \ ((This)->lpVtbl->get_ForwardHeader(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_get_Comment(This, value) \ ((This)->lpVtbl->get_Comment(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxForwardMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxForwardMeetingRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxGetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_RequestedFormat)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMailboxAutoReplyMessageResponseKind* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings* autoReplySettings, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_get_RequestedFormat(This, value) \ ((This)->lpVtbl->get_RequestedFormat(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_ReportCompletedAsync(This, autoReplySettings, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, autoReplySettings, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxGetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxGetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxMoveFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailFolderId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_NewParentFolderId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_NewFolderName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_get_EmailFolderId(This, value) \ ((This)->lpVtbl->get_EmailFolderId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_get_NewParentFolderId(This, value) \ ((This)->lpVtbl->get_NewParentFolderId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_get_NewFolderName(This, value) \ ((This)->lpVtbl->get_NewFolderName(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxMoveFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxMoveFolderRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxProposeNewTimeForMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailMessageId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_NewStartTime)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, struct __x_ABI_CWindows_CFoundation_CDateTime* value); HRESULT (STDMETHODCALLTYPE* get_NewDuration)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, struct __x_ABI_CWindows_CFoundation_CTimeSpan* value); HRESULT (STDMETHODCALLTYPE* get_Subject)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Comment)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_get_EmailMessageId(This, value) \ ((This)->lpVtbl->get_EmailMessageId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_get_NewStartTime(This, value) \ ((This)->lpVtbl->get_NewStartTime(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_get_NewDuration(This, value) \ ((This)->lpVtbl->get_NewDuration(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_get_Subject(This, value) \ ((This)->lpVtbl->get_Subject(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_get_Comment(This, value) \ ((This)->lpVtbl->get_Comment(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxProposeNewTimeForMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxProposeNewTimeForMeetingRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxResolveRecipientsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Recipients)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, __FIVectorView_1_HSTRING** value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailRecipientResolutionResult* resolutionResults, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_get_Recipients(This, value) \ ((This)->lpVtbl->get_Recipients(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_ReportCompletedAsync(This, resolutionResults, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, resolutionResults, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxResolveRecipientsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxResolveRecipientsRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxServerSearchReadBatchRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_SessionId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailFolderId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Options)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailQueryOptions** value); HRESULT (STDMETHODCALLTYPE* get_SuggestedBatchSize)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, UINT32* value); HRESULT (STDMETHODCALLTYPE* SaveMessageAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMessage* message, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailBatchStatus batchStatus, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_get_SessionId(This, value) \ ((This)->lpVtbl->get_SessionId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_get_EmailFolderId(This, value) \ ((This)->lpVtbl->get_EmailFolderId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_get_Options(This, value) \ ((This)->lpVtbl->get_Options(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_get_SuggestedBatchSize(This, value) \ ((This)->lpVtbl->get_SuggestedBatchSize(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_SaveMessageAsync(This, message, result) \ ((This)->lpVtbl->SaveMessageAsync(This, message, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_ReportFailedAsync(This, batchStatus, result) \ ((This)->lpVtbl->ReportFailedAsync(This, batchStatus, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxServerSearchReadBatchRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxServerSearchReadBatchRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_AutoReplySettings)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, __x_ABI_CWindows_CApplicationModel_CEmail_CIEmailMailboxAutoReplySettings** value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_get_AutoReplySettings(This, value) \ ((This)->lpVtbl->get_AutoReplySettings(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSetAutoReplySettingsRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSyncManagerSyncRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxSyncManagerSyncRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxSyncManagerSyncRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxUpdateMeetingResponseRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_EmailMessageId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Response)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, enum __x_ABI_CWindows_CApplicationModel_CEmail_CEmailMeetingResponseType* response); HRESULT (STDMETHODCALLTYPE* get_Subject)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Comment)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_SendUpdate)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, boolean* value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_get_EmailMessageId(This, value) \ ((This)->lpVtbl->get_EmailMessageId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_get_Response(This, response) \ ((This)->lpVtbl->get_Response(This, response)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_get_Subject(This, value) \ ((This)->lpVtbl->get_Subject(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_get_Comment(This, value) \ ((This)->lpVtbl->get_Comment(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_get_SendUpdate(This, value) \ ((This)->lpVtbl->get_SendUpdate(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_ReportCompletedAsync(This, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxUpdateMeetingResponseRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxUpdateMeetingResponseRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequest * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxValidateCertificatesRequest[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequest"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_EmailMailboxId)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, HSTRING* value); HRESULT (STDMETHODCALLTYPE* get_Certificates)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, __FIVectorView_1_Windows__CSecurity__CCryptography__CCertificates__CCertificate** value); HRESULT (STDMETHODCALLTYPE* ReportCompletedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, __FIIterable_1_Windows__CApplicationModel__CEmail__CEmailCertificateValidationStatus* validationStatuses, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); HRESULT (STDMETHODCALLTYPE* ReportFailedAsync)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest* This, __x_ABI_CWindows_CFoundation_CIAsyncAction** result); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_get_EmailMailboxId(This, value) \ ((This)->lpVtbl->get_EmailMailboxId(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_get_Certificates(This, value) \ ((This)->lpVtbl->get_Certificates(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_ReportCompletedAsync(This, validationStatuses, result) \ ((This)->lpVtbl->ReportCompletedAsync(This, validationStatuses, result)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_ReportFailedAsync(This, result) \ ((This)->lpVtbl->ReportFailedAsync(This, result)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Interface Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Interface is a part of the implementation of type Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequestEventArgs * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #if !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__) #define ____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__ extern const __declspec(selectany) _Null_terminated_ WCHAR InterfaceName_Windows_ApplicationModel_Email_DataProvider_IEmailMailboxValidateCertificatesRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequestEventArgs"; typedef struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgsVtbl { BEGIN_INTERFACE HRESULT (STDMETHODCALLTYPE* QueryInterface)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This, REFIID riid, void** ppvObject); ULONG (STDMETHODCALLTYPE* AddRef)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This); ULONG (STDMETHODCALLTYPE* Release)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This); HRESULT (STDMETHODCALLTYPE* GetIids)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This, ULONG* iidCount, IID** iids); HRESULT (STDMETHODCALLTYPE* GetRuntimeClassName)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This, HSTRING* className); HRESULT (STDMETHODCALLTYPE* GetTrustLevel)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This, TrustLevel* trustLevel); HRESULT (STDMETHODCALLTYPE* get_Request)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This, __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequest** value); HRESULT (STDMETHODCALLTYPE* GetDeferral)(__x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs* This, __x_ABI_CWindows_CFoundation_CIDeferral** value); END_INTERFACE } __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgsVtbl; interface __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs { CONST_VTBL struct __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgsVtbl* lpVtbl; }; #ifdef COBJMACROS #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_QueryInterface(This, riid, ppvObject) \ ((This)->lpVtbl->QueryInterface(This, riid, ppvObject)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_AddRef(This) \ ((This)->lpVtbl->AddRef(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_Release(This) \ ((This)->lpVtbl->Release(This)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_GetIids(This, iidCount, iids) \ ((This)->lpVtbl->GetIids(This, iidCount, iids)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_GetRuntimeClassName(This, className) \ ((This)->lpVtbl->GetRuntimeClassName(This, className)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_GetTrustLevel(This, trustLevel) \ ((This)->lpVtbl->GetTrustLevel(This, trustLevel)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_get_Request(This, value) \ ((This)->lpVtbl->get_Request(This, value)) #define __x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_GetDeferral(This, value) \ ((This)->lpVtbl->GetDeferral(This, value)) #endif /* COBJMACROS */ EXTERN_C const IID IID___x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs; #endif /* !defined(____x_ABI_CWindows_CApplicationModel_CEmail_CDataProvider_CIEmailMailboxValidateCertificatesRequestEventArgs_INTERFACE_DEFINED__) */ #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderConnection ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderConnection_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderConnection_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderConnection[] = L"Windows.ApplicationModel.Email.DataProvider.EmailDataProviderConnection"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailDataProviderTriggerDetails * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailDataProviderTriggerDetails ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderTriggerDetails_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderTriggerDetails_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailDataProviderTriggerDetails[] = L"Windows.ApplicationModel.Email.DataProvider.EmailDataProviderTriggerDetails"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxCreateFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxCreateFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxCreateFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDeleteFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDeleteFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDeleteFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadAttachmentRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadAttachmentRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadAttachmentRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxDownloadMessageRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxDownloadMessageRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxDownloadMessageRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxEmptyFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxEmptyFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxEmptyFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxForwardMeetingRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxForwardMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxForwardMeetingRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxGetAutoReplySettingsRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxGetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxGetAutoReplySettingsRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxMoveFolderRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxMoveFolderRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxMoveFolderRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxProposeNewTimeForMeetingRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxProposeNewTimeForMeetingRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxProposeNewTimeForMeetingRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxResolveRecipientsRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxResolveRecipientsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxResolveRecipientsRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxServerSearchReadBatchRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxServerSearchReadBatchRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxServerSearchReadBatchRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSetAutoReplySettingsRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSetAutoReplySettingsRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSetAutoReplySettingsRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxSyncManagerSyncRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxSyncManagerSyncRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxSyncManagerSyncRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxUpdateMeetingResponseRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxUpdateMeetingResponseRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxUpdateMeetingResponseRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequest * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequest ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequest_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequest_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequest[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequest"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 /* * * Class Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequestEventArgs * * Introduced to Windows.Foundation.UniversalApiContract in version 3.0 * * Class implements the following interfaces: * Windows.ApplicationModel.Email.DataProvider.IEmailMailboxValidateCertificatesRequestEventArgs ** Default Interface ** * * Class Threading Model: Both Single and Multi Threaded Apartment * * Class Marshaling Behavior: Agile - Class is agile * */ #if WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #ifndef RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequestEventArgs_DEFINED #define RUNTIMECLASS_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequestEventArgs_DEFINED extern const __declspec(selectany) _Null_terminated_ WCHAR RuntimeClass_Windows_ApplicationModel_Email_DataProvider_EmailMailboxValidateCertificatesRequestEventArgs[] = L"Windows.ApplicationModel.Email.DataProvider.EmailMailboxValidateCertificatesRequestEventArgs"; #endif #endif // WINDOWS_FOUNDATION_UNIVERSALAPICONTRACT_VERSION >= 0x30000 #endif // defined(__cplusplus) #pragma pop_macro("MIDL_CONST_ID") // Restore the original value of the 'DEPRECATED' macro #pragma pop_macro("DEPRECATED") #ifdef __clang__ #pragma clang diagnostic pop // deprecated-declarations #else #pragma warning(pop) #endif #endif // __windows2Eapplicationmodel2Eemail2Edataprovider_p_h__ #endif // __windows2Eapplicationmodel2Eemail2Edataprovider_h__
[ "lightech@outlook.com" ]
lightech@outlook.com
08dfb789f76ca86d6e3be6dd1d66375ab9bfb2b9
1e5318674e548c8cb72599be3e3d437ac8699472
/semana4/160/main.cpp
49c0c029c95a74956e0d207a5f84f1d39ec744dd
[]
no_license
edmolten/TallerDeProgramacion2017-2
7f1f66a1d34c929cacd63a747bd9fd9b014e0891
f4f65b88c0abcf9b76e178ff5c758c2a6a728d06
refs/heads/master
2021-09-01T04:38:54.305696
2017-12-24T21:40:46
2017-12-24T21:40:46
103,702,171
0
0
null
null
null
null
UTF-8
C++
false
false
959
cpp
#include <iostream> #include <math.h> using namespace std; int main() { int n; int primes[]= {2,3,5,7,11,13,17,19,23,29,31,37,41,43,47,53,59,61,67,71,73,79,83,89,97}; cin >> n ; int mayorPrime; while(n!=0){ mayorPrime = 0; for(int i=0; i< 25; i++ ){ if(primes[i]<=n){ mayorPrime++; } } int result[mayorPrime]; for(int j = 0; j < mayorPrime; j++){ int floor; int a=1; int k = 0; do{ floor = n/pow(primes[j],a); k += floor; a++; }while(floor != 0); result[j]=k; } cout << n; cout << "! = "; for(int w=0; w<mayorPrime; w++){ cout << result[w]; if(w!=mayorPrime-1){ cout << " "; } } cout << endl; cin >> n; } return 0; }
[ "c.gallegu@hotmail.com" ]
c.gallegu@hotmail.com
6eb3424655cd16285687ed6a4015ab64e44f7a54
3ffe135f82b1c4075186c655957807f855a88f86
/div 3 Prob D/div 3 Prob D.cpp
01bf6cb59226e8fac5b0b5be147110fc4085fe16
[]
no_license
saobangmath/Lab-Test-2-Data-Structure
f562929546067a83cdc278afe8a40f67862d3473
1cc0f361bcdbc74ac0f349ae8372c6330b3b9a1c
refs/heads/master
2020-05-15T14:42:44.470501
2019-04-20T03:01:24
2019-04-20T03:01:24
182,346,378
0
0
null
null
null
null
UTF-8
C++
false
false
1,121
cpp
<?xml version="1.0" encoding="UTF-8" standalone="yes" ?> <CodeBlocks_project_file> <FileVersion major="1" minor="6" /> <Project> <Option title="div 3 Prob D" /> <Option pch_mode="2" /> <Option compiler="gcc" /> <Build> <Target title="Debug"> <Option output="bin/Debug/div 3 Prob D" prefix_auto="1" extension_auto="1" /> <Option object_output="obj/Debug/" /> <Option type="1" /> <Option compiler="gcc" /> <Compiler> <Add option="-g" /> </Compiler> </Target> <Target title="Release"> <Option output="bin/Release/div 3 Prob D" prefix_auto="1" extension_auto="1" /> <Option object_output="obj/Release/" /> <Option type="1" /> <Option compiler="gcc" /> <Compiler> <Add option="-O2" /> </Compiler> <Linker> <Add option="-s" /> </Linker> </Target> </Build> <Compiler> <Add option="-Wall" /> <Add option="-fexceptions" /> </Compiler> <Unit filename="main.cpp" /> <Extensions> <code_completion /> <envvars /> <debugger /> <lib_finder disable_auto="1" /> </Extensions> </Project> </CodeBlocks_project_file>
[ "42882997+saobangmath@users.noreply.github.com" ]
42882997+saobangmath@users.noreply.github.com
f5088b3d04a4c549d411aa61217a45bf564c8d64
a129fecfd0236cb97dae11d9e130cf2946f2392a
/noritake-example/GU7000_Interface.h
39ca95aa64fcec5622962a3e4445f7d6018092b4
[ "MIT", "LicenseRef-scancode-public-domain" ]
permissive
cmdrDatalink/GU7000-Series-Library
6e27937e46d5506d0117b7173e7adcb342f85a3f
2818d7535615a29b29b9c853fc8d371d9cbe0af3
refs/heads/master
2021-09-18T14:33:59.030097
2018-07-16T00:13:23
2018-07-16T00:13:23
16,667,951
4
1
MIT
2018-07-16T00:13:24
2014-02-09T14:36:05
C++
UTF-8
C++
false
false
450
h
#include "Arduino.h" #include <stddef.h> #include <util/delay.h> #define DIRECTION(X,D) if (D) pinMode(X##_PIN, OUTPUT); else pinMode(X##_PIN, INPUT) #define RAISE(X) digitalWrite(X##_PIN, HIGH) #define LOWER(X) digitalWrite(X##_PIN, LOW) #define CHECK(X) digitalRead(X##_PIN) class GU7000_Interface{ public: virtual void init() = 0; virtual void write(uint8_t data) = 0; virtual void hardReset() = 0; unsigned getModelClass; };
[ "ice.zetsumei@gmail.com" ]
ice.zetsumei@gmail.com
d93e79994ee59e67c5d317d5098cc9dc815a20b6
e641bd95bff4a447e25235c265a58df8e7e57c84
/chromeos/components/quick_answers/utils/quick_answers_utils.h
d4cad0170c289745b0c1acf981178b9b0c1b2495
[ "BSD-3-Clause" ]
permissive
zaourzag/chromium
e50cb6553b4f30e42f452e666885d511f53604da
2370de33e232b282bd45faa084e5a8660cb396ed
refs/heads/master
2023-01-02T08:48:14.707555
2020-11-13T13:47:30
2020-11-13T13:47:30
312,600,463
0
0
BSD-3-Clause
2022-12-23T17:01:30
2020-11-13T14:39:10
null
UTF-8
C++
false
false
1,365
h
// Copyright 2020 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef CHROMEOS_COMPONENTS_QUICK_ANSWERS_UTILS_QUICK_ANSWERS_UTILS_H_ #define CHROMEOS_COMPONENTS_QUICK_ANSWERS_UTILS_QUICK_ANSWERS_UTILS_H_ #include "chromeos/components/quick_answers/quick_answers_model.h" namespace chromeos { namespace quick_answers { const PreprocessedOutput PreprocessRequest(const IntentInfo& intent_info); // Build title text for Quick Answers definition result. std::string BuildDefinitionTitleText(const std::string& query_term, const std::string& phonetics); // Build title text for Quick Answers knowledge panel entity result. std::string BuildKpEntityTitleText(const std::string& average_score, const std::string& aggregated_count); // Build title text for Quick Answers translation result. std::string BuildTranslationTitleText(const IntentInfo& intent_info); // Build title text for Quick Answers translation result. std::string BuildTranslationTitleText(const std::string& query_text, const std::string& locale_name); } // namespace quick_answers } // namespace chromeos #endif // CHROMEOS_COMPONENTS_QUICK_ANSWERS_UTILS_QUICK_ANSWERS_UTILS_H_
[ "commit-bot@chromium.org" ]
commit-bot@chromium.org
46e95a2a81f0c1c0b37c26ce7799a6966bb3f686
73d9d0441125e1fd333d11720fe58bde73405971
/Fandi/two.h
51a2e36a79a5e764a2cc37b032b584cd2c429639
[]
no_license
fadhilelrizanda/pemrog2
4f3aa5080bfe016c7536cc8493f0a25b4eb1a402
c6c3340cf2bb71cd2b6d58644af806d62e11a620
refs/heads/master
2022-12-29T06:51:21.378079
2020-10-12T05:29:47
2020-10-12T05:29:47
293,421,136
0
0
null
null
null
null
UTF-8
C++
false
false
189
h
#include <iostream> using namespace std; class Two { public: int x; char a; Two(int q, char w); int getX(); char getA(); void setX(int q); void setA(char w); };
[ "fadhilelrizanda@gmail.com" ]
fadhilelrizanda@gmail.com
9a8e0643bc67377c59be27cbb8446d2562fee7ea
0f10023be72f4ae93e657e715e42e98c3b6cf6dc
/src/netbase.cpp
15c418d01320095cdfe95b090be6a6407d09fb40
[ "MIT" ]
permissive
kelepirci/bitcoinquality
a653f6ca6224eac40e6e974f6c8875b76c13e6c2
ecd43ea0680571bf7d9d23fe4627e1f52b204c86
refs/heads/master
2021-08-20T05:54:38.919543
2017-11-28T10:19:43
2017-11-28T10:19:43
null
0
0
null
null
null
null
UTF-8
C++
false
false
31,534
cpp
// Copyright (c) 2009-2010 Satoshi Nakamoto // Copyright (c) 2009-2012 The BitcoinQuality developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include "netbase.h" #include "util.h" #include "sync.h" #include "hash.h" #ifndef WIN32 #include <sys/fcntl.h> #endif #include <boost/algorithm/string/case_conv.hpp> // for to_lower() #include <boost/algorithm/string/predicate.hpp> // for startswith() and endswith() using namespace std; // Settings static proxyType proxyInfo[NET_MAX]; static proxyType nameproxyInfo; static CCriticalSection cs_proxyInfos; int nConnectTimeout = 5000; bool fNameLookup = false; static const unsigned char pchIPv4[12] = { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0xff, 0xff }; enum Network ParseNetwork(std::string net) { boost::to_lower(net); if (net == "ipv4") return NET_IPV4; if (net == "ipv6") return NET_IPV6; if (net == "tor") return NET_TOR; return NET_UNROUTABLE; } void SplitHostPort(std::string in, int &portOut, std::string &hostOut) { size_t colon = in.find_last_of(':'); // if a : is found, and it either follows a [...], or no other : is in the string, treat it as port separator bool fHaveColon = colon != in.npos; bool fBracketed = fHaveColon && (in[0]=='[' && in[colon-1]==']'); // if there is a colon, and in[0]=='[', colon is not 0, so in[colon-1] is safe bool fMultiColon = fHaveColon && (in.find_last_of(':',colon-1) != in.npos); if (fHaveColon && (colon==0 || fBracketed || !fMultiColon)) { char *endp = NULL; int n = strtol(in.c_str() + colon + 1, &endp, 10); if (endp && *endp == 0 && n >= 0) { in = in.substr(0, colon); if (n > 0 && n < 0x10000) portOut = n; } } if (in.size()>0 && in[0] == '[' && in[in.size()-1] == ']') hostOut = in.substr(1, in.size()-2); else hostOut = in; } bool static LookupIntern(const char *pszName, std::vector<CNetAddr>& vIP, unsigned int nMaxSolutions, bool fAllowLookup) { vIP.clear(); { CNetAddr addr; if (addr.SetSpecial(std::string(pszName))) { vIP.push_back(addr); return true; } } struct addrinfo aiHint; memset(&aiHint, 0, sizeof(struct addrinfo)); aiHint.ai_socktype = SOCK_STREAM; aiHint.ai_protocol = IPPROTO_TCP; #ifdef USE_IPV6 aiHint.ai_family = AF_UNSPEC; #else aiHint.ai_family = AF_INET; #endif #ifdef WIN32 aiHint.ai_flags = fAllowLookup ? 0 : AI_NUMERICHOST; #else aiHint.ai_flags = fAllowLookup ? AI_ADDRCONFIG : AI_NUMERICHOST; #endif struct addrinfo *aiRes = NULL; int nErr = getaddrinfo(pszName, NULL, &aiHint, &aiRes); if (nErr) return false; struct addrinfo *aiTrav = aiRes; while (aiTrav != NULL && (nMaxSolutions == 0 || vIP.size() < nMaxSolutions)) { if (aiTrav->ai_family == AF_INET) { assert(aiTrav->ai_addrlen >= sizeof(sockaddr_in)); vIP.push_back(CNetAddr(((struct sockaddr_in*)(aiTrav->ai_addr))->sin_addr)); } #ifdef USE_IPV6 if (aiTrav->ai_family == AF_INET6) { assert(aiTrav->ai_addrlen >= sizeof(sockaddr_in6)); vIP.push_back(CNetAddr(((struct sockaddr_in6*)(aiTrav->ai_addr))->sin6_addr)); } #endif aiTrav = aiTrav->ai_next; } freeaddrinfo(aiRes); return (vIP.size() > 0); } bool LookupHost(const char *pszName, std::vector<CNetAddr>& vIP, unsigned int nMaxSolutions, bool fAllowLookup) { std::string strHost(pszName); if (strHost.empty()) return false; if (boost::algorithm::starts_with(strHost, "[") && boost::algorithm::ends_with(strHost, "]")) { strHost = strHost.substr(1, strHost.size() - 2); } return LookupIntern(strHost.c_str(), vIP, nMaxSolutions, fAllowLookup); } bool LookupHostNumeric(const char *pszName, std::vector<CNetAddr>& vIP, unsigned int nMaxSolutions) { return LookupHost(pszName, vIP, nMaxSolutions, false); } bool Lookup(const char *pszName, std::vector<CService>& vAddr, int portDefault, bool fAllowLookup, unsigned int nMaxSolutions) { if (pszName[0] == 0) return false; int port = portDefault; std::string hostname = ""; SplitHostPort(std::string(pszName), port, hostname); std::vector<CNetAddr> vIP; bool fRet = LookupIntern(hostname.c_str(), vIP, nMaxSolutions, fAllowLookup); if (!fRet) return false; vAddr.resize(vIP.size()); for (unsigned int i = 0; i < vIP.size(); i++) vAddr[i] = CService(vIP[i], port); return true; } bool Lookup(const char *pszName, CService& addr, int portDefault, bool fAllowLookup) { std::vector<CService> vService; bool fRet = Lookup(pszName, vService, portDefault, fAllowLookup, 1); if (!fRet) return false; addr = vService[0]; return true; } bool LookupNumeric(const char *pszName, CService& addr, int portDefault) { return Lookup(pszName, addr, portDefault, false); } bool static Socks4(const CService &addrDest, SOCKET& hSocket) { printf("SOCKS4 connecting %s\n", addrDest.ToString().c_str()); if (!addrDest.IsIPv4()) { closesocket(hSocket); return error("Proxy destination is not IPv4"); } char pszSocks4IP[] = "\4\1\0\0\0\0\0\0user"; struct sockaddr_in addr; socklen_t len = sizeof(addr); if (!addrDest.GetSockAddr((struct sockaddr*)&addr, &len) || addr.sin_family != AF_INET) { closesocket(hSocket); return error("Cannot get proxy destination address"); } memcpy(pszSocks4IP + 2, &addr.sin_port, 2); memcpy(pszSocks4IP + 4, &addr.sin_addr, 4); char* pszSocks4 = pszSocks4IP; int nSize = sizeof(pszSocks4IP); int ret = send(hSocket, pszSocks4, nSize, MSG_NOSIGNAL); if (ret != nSize) { closesocket(hSocket); return error("Error sending to proxy"); } char pchRet[8]; if (recv(hSocket, pchRet, 8, 0) != 8) { closesocket(hSocket); return error("Error reading proxy response"); } if (pchRet[1] != 0x5a) { closesocket(hSocket); if (pchRet[1] != 0x5b) printf("ERROR: Proxy returned error %d\n", pchRet[1]); return false; } printf("SOCKS4 connected %s\n", addrDest.ToString().c_str()); return true; } bool static Socks5(string strDest, int port, SOCKET& hSocket) { printf("SOCKS5 connecting %s\n", strDest.c_str()); if (strDest.size() > 255) { closesocket(hSocket); return error("Hostname too long"); } char pszSocks5Init[] = "\5\1\0"; ssize_t nSize = sizeof(pszSocks5Init) - 1; ssize_t ret = send(hSocket, pszSocks5Init, nSize, MSG_NOSIGNAL); if (ret != nSize) { closesocket(hSocket); return error("Error sending to proxy"); } char pchRet1[2]; if (recv(hSocket, pchRet1, 2, 0) != 2) { closesocket(hSocket); return error("Error reading proxy response"); } if (pchRet1[0] != 0x05 || pchRet1[1] != 0x00) { closesocket(hSocket); return error("Proxy failed to initialize"); } string strSocks5("\5\1"); strSocks5 += '\000'; strSocks5 += '\003'; strSocks5 += static_cast<char>(std::min((int)strDest.size(), 255)); strSocks5 += strDest; strSocks5 += static_cast<char>((port >> 8) & 0xFF); strSocks5 += static_cast<char>((port >> 0) & 0xFF); ret = send(hSocket, strSocks5.c_str(), strSocks5.size(), MSG_NOSIGNAL); if (ret != (ssize_t)strSocks5.size()) { closesocket(hSocket); return error("Error sending to proxy"); } char pchRet2[4]; if (recv(hSocket, pchRet2, 4, 0) != 4) { closesocket(hSocket); return error("Error reading proxy response"); } if (pchRet2[0] != 0x05) { closesocket(hSocket); return error("Proxy failed to accept request"); } if (pchRet2[1] != 0x00) { closesocket(hSocket); switch (pchRet2[1]) { case 0x01: return error("Proxy error: general failure"); case 0x02: return error("Proxy error: connection not allowed"); case 0x03: return error("Proxy error: network unreachable"); case 0x04: return error("Proxy error: host unreachable"); case 0x05: return error("Proxy error: connection refused"); case 0x06: return error("Proxy error: TTL expired"); case 0x07: return error("Proxy error: protocol error"); case 0x08: return error("Proxy error: address type not supported"); default: return error("Proxy error: unknown"); } } if (pchRet2[2] != 0x00) { closesocket(hSocket); return error("Error: malformed proxy response"); } char pchRet3[256]; switch (pchRet2[3]) { case 0x01: ret = recv(hSocket, pchRet3, 4, 0) != 4; break; case 0x04: ret = recv(hSocket, pchRet3, 16, 0) != 16; break; case 0x03: { ret = recv(hSocket, pchRet3, 1, 0) != 1; if (ret) return error("Error reading from proxy"); int nRecv = pchRet3[0]; ret = recv(hSocket, pchRet3, nRecv, 0) != nRecv; break; } default: closesocket(hSocket); return error("Error: malformed proxy response"); } if (ret) { closesocket(hSocket); return error("Error reading from proxy"); } if (recv(hSocket, pchRet3, 2, 0) != 2) { closesocket(hSocket); return error("Error reading from proxy"); } printf("SOCKS5 connected %s\n", strDest.c_str()); return true; } bool static ConnectSocketDirectly(const CService &addrConnect, SOCKET& hSocketRet, int nTimeout) { hSocketRet = INVALID_SOCKET; #ifdef USE_IPV6 struct sockaddr_storage sockaddr; #else struct sockaddr sockaddr; #endif socklen_t len = sizeof(sockaddr); if (!addrConnect.GetSockAddr((struct sockaddr*)&sockaddr, &len)) { printf("Cannot connect to %s: unsupported network\n", addrConnect.ToString().c_str()); return false; } SOCKET hSocket = socket(((struct sockaddr*)&sockaddr)->sa_family, SOCK_STREAM, IPPROTO_TCP); if (hSocket == INVALID_SOCKET) return false; #ifdef SO_NOSIGPIPE int set = 1; setsockopt(hSocket, SOL_SOCKET, SO_NOSIGPIPE, (void*)&set, sizeof(int)); #endif #ifdef WIN32 u_long fNonblock = 1; if (ioctlsocket(hSocket, FIONBIO, &fNonblock) == SOCKET_ERROR) #else int fFlags = fcntl(hSocket, F_GETFL, 0); if (fcntl(hSocket, F_SETFL, fFlags | O_NONBLOCK) == -1) #endif { closesocket(hSocket); return false; } if (connect(hSocket, (struct sockaddr*)&sockaddr, len) == SOCKET_ERROR) { // WSAEINVAL is here because some legacy version of winsock uses it if (WSAGetLastError() == WSAEINPROGRESS || WSAGetLastError() == WSAEWOULDBLOCK || WSAGetLastError() == WSAEINVAL) { struct timeval timeout; timeout.tv_sec = nTimeout / 1000; timeout.tv_usec = (nTimeout % 1000) * 1000; fd_set fdset; FD_ZERO(&fdset); FD_SET(hSocket, &fdset); int nRet = select(hSocket + 1, NULL, &fdset, NULL, &timeout); if (nRet == 0) { printf("connection timeout\n"); closesocket(hSocket); return false; } if (nRet == SOCKET_ERROR) { printf("select() for connection failed: %i\n",WSAGetLastError()); closesocket(hSocket); return false; } socklen_t nRetSize = sizeof(nRet); #ifdef WIN32 if (getsockopt(hSocket, SOL_SOCKET, SO_ERROR, (char*)(&nRet), &nRetSize) == SOCKET_ERROR) #else if (getsockopt(hSocket, SOL_SOCKET, SO_ERROR, &nRet, &nRetSize) == SOCKET_ERROR) #endif { printf("getsockopt() for connection failed: %i\n",WSAGetLastError()); closesocket(hSocket); return false; } if (nRet != 0) { printf("connect() failed after select(): %s\n",strerror(nRet)); closesocket(hSocket); return false; } } #ifdef WIN32 else if (WSAGetLastError() != WSAEISCONN) #else else #endif { printf("connect() failed: %i\n",WSAGetLastError()); closesocket(hSocket); return false; } } // this isn't even strictly necessary // CNode::ConnectNode immediately turns the socket back to non-blocking // but we'll turn it back to blocking just in case #ifdef WIN32 fNonblock = 0; if (ioctlsocket(hSocket, FIONBIO, &fNonblock) == SOCKET_ERROR) #else fFlags = fcntl(hSocket, F_GETFL, 0); if (fcntl(hSocket, F_SETFL, fFlags & ~O_NONBLOCK) == SOCKET_ERROR) #endif { closesocket(hSocket); return false; } hSocketRet = hSocket; return true; } bool SetProxy(enum Network net, CService addrProxy, int nSocksVersion) { assert(net >= 0 && net < NET_MAX); if (nSocksVersion != 0 && nSocksVersion != 4 && nSocksVersion != 5) return false; if (nSocksVersion != 0 && !addrProxy.IsValid()) return false; LOCK(cs_proxyInfos); proxyInfo[net] = std::make_pair(addrProxy, nSocksVersion); return true; } bool GetProxy(enum Network net, proxyType &proxyInfoOut) { assert(net >= 0 && net < NET_MAX); LOCK(cs_proxyInfos); if (!proxyInfo[net].second) return false; proxyInfoOut = proxyInfo[net]; return true; } bool SetNameProxy(CService addrProxy, int nSocksVersion) { if (nSocksVersion != 0 && nSocksVersion != 5) return false; if (nSocksVersion != 0 && !addrProxy.IsValid()) return false; LOCK(cs_proxyInfos); nameproxyInfo = std::make_pair(addrProxy, nSocksVersion); return true; } bool GetNameProxy(proxyType &nameproxyInfoOut) { LOCK(cs_proxyInfos); if (!nameproxyInfo.second) return false; nameproxyInfoOut = nameproxyInfo; return true; } bool HaveNameProxy() { LOCK(cs_proxyInfos); return nameproxyInfo.second != 0; } bool IsProxy(const CNetAddr &addr) { LOCK(cs_proxyInfos); for (int i = 0; i < NET_MAX; i++) { if (proxyInfo[i].second && (addr == (CNetAddr)proxyInfo[i].first)) return true; } return false; } bool ConnectSocket(const CService &addrDest, SOCKET& hSocketRet, int nTimeout) { proxyType proxy; // no proxy needed if (!GetProxy(addrDest.GetNetwork(), proxy)) return ConnectSocketDirectly(addrDest, hSocketRet, nTimeout); SOCKET hSocket = INVALID_SOCKET; // first connect to proxy server if (!ConnectSocketDirectly(proxy.first, hSocket, nTimeout)) return false; // do socks negotiation switch (proxy.second) { case 4: if (!Socks4(addrDest, hSocket)) return false; break; case 5: if (!Socks5(addrDest.ToStringIP(), addrDest.GetPort(), hSocket)) return false; break; default: return false; } hSocketRet = hSocket; return true; } bool ConnectSocketByName(CService &addr, SOCKET& hSocketRet, const char *pszDest, int portDefault, int nTimeout) { string strDest; int port = portDefault; SplitHostPort(string(pszDest), port, strDest); SOCKET hSocket = INVALID_SOCKET; proxyType nameproxy; GetNameProxy(nameproxy); CService addrResolved(CNetAddr(strDest, fNameLookup && !nameproxy.second), port); if (addrResolved.IsValid()) { addr = addrResolved; return ConnectSocket(addr, hSocketRet, nTimeout); } addr = CService("0.0.0.0:0"); if (!nameproxy.second) return false; if (!ConnectSocketDirectly(nameproxy.first, hSocket, nTimeout)) return false; switch(nameproxy.second) { default: case 4: return false; case 5: if (!Socks5(strDest, port, hSocket)) return false; break; } hSocketRet = hSocket; return true; } void CNetAddr::Init() { memset(ip, 0, sizeof(ip)); } void CNetAddr::SetIP(const CNetAddr& ipIn) { memcpy(ip, ipIn.ip, sizeof(ip)); } static const unsigned char pchOnionCat[] = {0xFD,0x87,0xD8,0x7E,0xEB,0x43}; bool CNetAddr::SetSpecial(const std::string &strName) { if (strName.size()>6 && strName.substr(strName.size() - 6, 6) == ".onion") { std::vector<unsigned char> vchAddr = DecodeBase32(strName.substr(0, strName.size() - 6).c_str()); if (vchAddr.size() != 16-sizeof(pchOnionCat)) return false; memcpy(ip, pchOnionCat, sizeof(pchOnionCat)); for (unsigned int i=0; i<16-sizeof(pchOnionCat); i++) ip[i + sizeof(pchOnionCat)] = vchAddr[i]; return true; } return false; } CNetAddr::CNetAddr() { Init(); } CNetAddr::CNetAddr(const struct in_addr& ipv4Addr) { memcpy(ip, pchIPv4, 12); memcpy(ip+12, &ipv4Addr, 4); } #ifdef USE_IPV6 CNetAddr::CNetAddr(const struct in6_addr& ipv6Addr) { memcpy(ip, &ipv6Addr, 16); } #endif CNetAddr::CNetAddr(const char *pszIp, bool fAllowLookup) { Init(); std::vector<CNetAddr> vIP; if (LookupHost(pszIp, vIP, 1, fAllowLookup)) *this = vIP[0]; } CNetAddr::CNetAddr(const std::string &strIp, bool fAllowLookup) { Init(); std::vector<CNetAddr> vIP; if (LookupHost(strIp.c_str(), vIP, 1, fAllowLookup)) *this = vIP[0]; } unsigned int CNetAddr::GetByte(int n) const { return ip[15-n]; } bool CNetAddr::IsIPv4() const { return (memcmp(ip, pchIPv4, sizeof(pchIPv4)) == 0); } bool CNetAddr::IsIPv6() const { return (!IsIPv4() && !IsTor()); } bool CNetAddr::IsRFC1918() const { return IsIPv4() && ( GetByte(3) == 10 || (GetByte(3) == 192 && GetByte(2) == 168) || (GetByte(3) == 172 && (GetByte(2) >= 16 && GetByte(2) <= 31))); } bool CNetAddr::IsRFC3927() const { return IsIPv4() && (GetByte(3) == 169 && GetByte(2) == 254); } bool CNetAddr::IsRFC3849() const { return GetByte(15) == 0x20 && GetByte(14) == 0x01 && GetByte(13) == 0x0D && GetByte(12) == 0xB8; } bool CNetAddr::IsRFC3964() const { return (GetByte(15) == 0x20 && GetByte(14) == 0x02); } bool CNetAddr::IsRFC6052() const { static const unsigned char pchRFC6052[] = {0,0x64,0xFF,0x9B,0,0,0,0,0,0,0,0}; return (memcmp(ip, pchRFC6052, sizeof(pchRFC6052)) == 0); } bool CNetAddr::IsRFC4380() const { return (GetByte(15) == 0x20 && GetByte(14) == 0x01 && GetByte(13) == 0 && GetByte(12) == 0); } bool CNetAddr::IsRFC4862() const { static const unsigned char pchRFC4862[] = {0xFE,0x80,0,0,0,0,0,0}; return (memcmp(ip, pchRFC4862, sizeof(pchRFC4862)) == 0); } bool CNetAddr::IsRFC4193() const { return ((GetByte(15) & 0xFE) == 0xFC); } bool CNetAddr::IsRFC6145() const { static const unsigned char pchRFC6145[] = {0,0,0,0,0,0,0,0,0xFF,0xFF,0,0}; return (memcmp(ip, pchRFC6145, sizeof(pchRFC6145)) == 0); } bool CNetAddr::IsRFC4843() const { return (GetByte(15) == 0x20 && GetByte(14) == 0x01 && GetByte(13) == 0x00 && (GetByte(12) & 0xF0) == 0x10); } bool CNetAddr::IsTor() const { return (memcmp(ip, pchOnionCat, sizeof(pchOnionCat)) == 0); } bool CNetAddr::IsLocal() const { // IPv4 loopback if (IsIPv4() && (GetByte(3) == 127 || GetByte(3) == 0)) return true; // IPv6 loopback (::1/128) static const unsigned char pchLocal[16] = {0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,1}; if (memcmp(ip, pchLocal, 16) == 0) return true; return false; } bool CNetAddr::IsMulticast() const { return (IsIPv4() && (GetByte(3) & 0xF0) == 0xE0) || (GetByte(15) == 0xFF); } bool CNetAddr::IsValid() const { // Cleanup 3-byte shifted addresses caused by garbage in size field // of addr messages from versions before 0.2.9 checksum. // Two consecutive addr messages look like this: // header20 vectorlen3 addr26 addr26 addr26 header20 vectorlen3 addr26 addr26 addr26... // so if the first length field is garbled, it reads the second batch // of addr misaligned by 3 bytes. if (memcmp(ip, pchIPv4+3, sizeof(pchIPv4)-3) == 0) return false; // unspecified IPv6 address (::/128) unsigned char ipNone[16] = {}; if (memcmp(ip, ipNone, 16) == 0) return false; // documentation IPv6 address if (IsRFC3849()) return false; if (IsIPv4()) { // INADDR_NONE uint32_t ipNone = INADDR_NONE; if (memcmp(ip+12, &ipNone, 4) == 0) return false; // 0 ipNone = 0; if (memcmp(ip+12, &ipNone, 4) == 0) return false; } return true; } bool CNetAddr::IsRoutable() const { return IsValid() && !(IsRFC1918() || IsRFC3927() || IsRFC4862() || (IsRFC4193() && !IsTor()) || IsRFC4843() || IsLocal()); } enum Network CNetAddr::GetNetwork() const { if (!IsRoutable()) return NET_UNROUTABLE; if (IsIPv4()) return NET_IPV4; if (IsTor()) return NET_TOR; return NET_IPV6; } std::string CNetAddr::ToStringIP() const { if (IsTor()) return EncodeBase32(&ip[6], 10) + ".onion"; CService serv(*this, 0); #ifdef USE_IPV6 struct sockaddr_storage sockaddr; #else struct sockaddr sockaddr; #endif socklen_t socklen = sizeof(sockaddr); if (serv.GetSockAddr((struct sockaddr*)&sockaddr, &socklen)) { char name[1025] = ""; if (!getnameinfo((const struct sockaddr*)&sockaddr, socklen, name, sizeof(name), NULL, 0, NI_NUMERICHOST)) return std::string(name); } if (IsIPv4()) return strprintf("%u.%u.%u.%u", GetByte(3), GetByte(2), GetByte(1), GetByte(0)); else return strprintf("%x:%x:%x:%x:%x:%x:%x:%x", GetByte(15) << 8 | GetByte(14), GetByte(13) << 8 | GetByte(12), GetByte(11) << 8 | GetByte(10), GetByte(9) << 8 | GetByte(8), GetByte(7) << 8 | GetByte(6), GetByte(5) << 8 | GetByte(4), GetByte(3) << 8 | GetByte(2), GetByte(1) << 8 | GetByte(0)); } std::string CNetAddr::ToString() const { return ToStringIP(); } bool operator==(const CNetAddr& a, const CNetAddr& b) { return (memcmp(a.ip, b.ip, 16) == 0); } bool operator!=(const CNetAddr& a, const CNetAddr& b) { return (memcmp(a.ip, b.ip, 16) != 0); } bool operator<(const CNetAddr& a, const CNetAddr& b) { return (memcmp(a.ip, b.ip, 16) < 0); } bool CNetAddr::GetInAddr(struct in_addr* pipv4Addr) const { if (!IsIPv4()) return false; memcpy(pipv4Addr, ip+12, 4); return true; } #ifdef USE_IPV6 bool CNetAddr::GetIn6Addr(struct in6_addr* pipv6Addr) const { memcpy(pipv6Addr, ip, 16); return true; } #endif // get canonical identifier of an address' group // no two connections will be attempted to addresses with the same group std::vector<unsigned char> CNetAddr::GetGroup() const { std::vector<unsigned char> vchRet; int nClass = NET_IPV6; int nStartByte = 0; int nBits = 16; // all local addresses belong to the same group if (IsLocal()) { nClass = 255; nBits = 0; } // all unroutable addresses belong to the same group if (!IsRoutable()) { nClass = NET_UNROUTABLE; nBits = 0; } // for IPv4 addresses, '1' + the 16 higher-order bits of the IP // includes mapped IPv4, SIIT translated IPv4, and the well-known prefix else if (IsIPv4() || IsRFC6145() || IsRFC6052()) { nClass = NET_IPV4; nStartByte = 12; } // for 6to4 tunnelled addresses, use the encapsulated IPv4 address else if (IsRFC3964()) { nClass = NET_IPV4; nStartByte = 2; } // for Teredo-tunnelled IPv6 addresses, use the encapsulated IPv4 address else if (IsRFC4380()) { vchRet.push_back(NET_IPV4); vchRet.push_back(GetByte(3) ^ 0xFF); vchRet.push_back(GetByte(2) ^ 0xFF); return vchRet; } else if (IsTor()) { nClass = NET_TOR; nStartByte = 6; nBits = 4; } // for he.net, use /36 groups else if (GetByte(15) == 0x20 && GetByte(14) == 0x11 && GetByte(13) == 0x04 && GetByte(12) == 0x70) nBits = 36; // for the rest of the IPv6 network, use /32 groups else nBits = 32; vchRet.push_back(nClass); while (nBits >= 8) { vchRet.push_back(GetByte(15 - nStartByte)); nStartByte++; nBits -= 8; } if (nBits > 0) vchRet.push_back(GetByte(15 - nStartByte) | ((1 << nBits) - 1)); return vchRet; } uint64 CNetAddr::GetHash() const { uint256 hash = Hash(&ip[0], &ip[16]); uint64 nRet; memcpy(&nRet, &hash, sizeof(nRet)); return nRet; } void CNetAddr::print() const { printf("CNetAddr(%s)\n", ToString().c_str()); } // private extensions to enum Network, only returned by GetExtNetwork, // and only used in GetReachabilityFrom static const int NET_UNKNOWN = NET_MAX + 0; static const int NET_TEREDO = NET_MAX + 1; int static GetExtNetwork(const CNetAddr *addr) { if (addr == NULL) return NET_UNKNOWN; if (addr->IsRFC4380()) return NET_TEREDO; return addr->GetNetwork(); } /** Calculates a metric for how reachable (*this) is from a given partner */ int CNetAddr::GetReachabilityFrom(const CNetAddr *paddrPartner) const { enum Reachability { REACH_UNREACHABLE, REACH_DEFAULT, REACH_TEREDO, REACH_IPV6_WEAK, REACH_IPV4, REACH_IPV6_STRONG, REACH_PRIVATE }; if (!IsRoutable()) return REACH_UNREACHABLE; int ourNet = GetExtNetwork(this); int theirNet = GetExtNetwork(paddrPartner); bool fTunnel = IsRFC3964() || IsRFC6052() || IsRFC6145(); switch(theirNet) { case NET_IPV4: switch(ourNet) { default: return REACH_DEFAULT; case NET_IPV4: return REACH_IPV4; } case NET_IPV6: switch(ourNet) { default: return REACH_DEFAULT; case NET_TEREDO: return REACH_TEREDO; case NET_IPV4: return REACH_IPV4; case NET_IPV6: return fTunnel ? REACH_IPV6_WEAK : REACH_IPV6_STRONG; // only prefer giving our IPv6 address if it's not tunnelled } case NET_TOR: switch(ourNet) { default: return REACH_DEFAULT; case NET_IPV4: return REACH_IPV4; // Tor users can connect to IPv4 as well case NET_TOR: return REACH_PRIVATE; } case NET_TEREDO: switch(ourNet) { default: return REACH_DEFAULT; case NET_TEREDO: return REACH_TEREDO; case NET_IPV6: return REACH_IPV6_WEAK; case NET_IPV4: return REACH_IPV4; } case NET_UNKNOWN: case NET_UNROUTABLE: default: switch(ourNet) { default: return REACH_DEFAULT; case NET_TEREDO: return REACH_TEREDO; case NET_IPV6: return REACH_IPV6_WEAK; case NET_IPV4: return REACH_IPV4; case NET_TOR: return REACH_PRIVATE; // either from Tor, or don't care about our address } } } void CService::Init() { port = 0; } CService::CService() { Init(); } CService::CService(const CNetAddr& cip, unsigned short portIn) : CNetAddr(cip), port(portIn) { } CService::CService(const struct in_addr& ipv4Addr, unsigned short portIn) : CNetAddr(ipv4Addr), port(portIn) { } #ifdef USE_IPV6 CService::CService(const struct in6_addr& ipv6Addr, unsigned short portIn) : CNetAddr(ipv6Addr), port(portIn) { } #endif CService::CService(const struct sockaddr_in& addr) : CNetAddr(addr.sin_addr), port(ntohs(addr.sin_port)) { assert(addr.sin_family == AF_INET); } #ifdef USE_IPV6 CService::CService(const struct sockaddr_in6 &addr) : CNetAddr(addr.sin6_addr), port(ntohs(addr.sin6_port)) { assert(addr.sin6_family == AF_INET6); } #endif bool CService::SetSockAddr(const struct sockaddr *paddr) { switch (paddr->sa_family) { case AF_INET: *this = CService(*(const struct sockaddr_in*)paddr); return true; #ifdef USE_IPV6 case AF_INET6: *this = CService(*(const struct sockaddr_in6*)paddr); return true; #endif default: return false; } } CService::CService(const char *pszIpPort, bool fAllowLookup) { Init(); CService ip; if (Lookup(pszIpPort, ip, 0, fAllowLookup)) *this = ip; } CService::CService(const char *pszIpPort, int portDefault, bool fAllowLookup) { Init(); CService ip; if (Lookup(pszIpPort, ip, portDefault, fAllowLookup)) *this = ip; } CService::CService(const std::string &strIpPort, bool fAllowLookup) { Init(); CService ip; if (Lookup(strIpPort.c_str(), ip, 0, fAllowLookup)) *this = ip; } CService::CService(const std::string &strIpPort, int portDefault, bool fAllowLookup) { Init(); CService ip; if (Lookup(strIpPort.c_str(), ip, portDefault, fAllowLookup)) *this = ip; } unsigned short CService::GetPort() const { return port; } bool operator==(const CService& a, const CService& b) { return (CNetAddr)a == (CNetAddr)b && a.port == b.port; } bool operator!=(const CService& a, const CService& b) { return (CNetAddr)a != (CNetAddr)b || a.port != b.port; } bool operator<(const CService& a, const CService& b) { return (CNetAddr)a < (CNetAddr)b || ((CNetAddr)a == (CNetAddr)b && a.port < b.port); } bool CService::GetSockAddr(struct sockaddr* paddr, socklen_t *addrlen) const { if (IsIPv4()) { if (*addrlen < (socklen_t)sizeof(struct sockaddr_in)) return false; *addrlen = sizeof(struct sockaddr_in); struct sockaddr_in *paddrin = (struct sockaddr_in*)paddr; memset(paddrin, 0, *addrlen); if (!GetInAddr(&paddrin->sin_addr)) return false; paddrin->sin_family = AF_INET; paddrin->sin_port = htons(port); return true; } #ifdef USE_IPV6 if (IsIPv6()) { if (*addrlen < (socklen_t)sizeof(struct sockaddr_in6)) return false; *addrlen = sizeof(struct sockaddr_in6); struct sockaddr_in6 *paddrin6 = (struct sockaddr_in6*)paddr; memset(paddrin6, 0, *addrlen); if (!GetIn6Addr(&paddrin6->sin6_addr)) return false; paddrin6->sin6_family = AF_INET6; paddrin6->sin6_port = htons(port); return true; } #endif return false; } std::vector<unsigned char> CService::GetKey() const { std::vector<unsigned char> vKey; vKey.resize(18); memcpy(&vKey[0], ip, 16); vKey[16] = port / 0x100; vKey[17] = port & 0x0FF; return vKey; } std::string CService::ToStringPort() const { return strprintf("%u", port); } std::string CService::ToStringIPPort() const { if (IsIPv4() || IsTor()) { return ToStringIP() + ":" + ToStringPort(); } else { return "[" + ToStringIP() + "]:" + ToStringPort(); } } std::string CService::ToString() const { return ToStringIPPort(); } void CService::print() const { printf("CService(%s)\n", ToString().c_str()); } void CService::SetPort(unsigned short portIn) { port = portIn; }
[ "info@bitcoinquality.org" ]
info@bitcoinquality.org
ce9047bbc0e7fd31eb62bdc36d073f1830a765a3
4b5a22f96fc846b5b1797c929ed5db03c1041e67
/Source/FScheme/NodeDeleter.h
e24ade0355d7efc51fe3280a8395662e08d64d00
[ "MIT" ]
permissive
Zumisha/FPTL
bb706cd5239b29df8342f9421067364ca2644704
cbe24b5e3d2c8aa792fabb87add383ca60646a3e
refs/heads/master
2021-12-15T12:44:39.179902
2021-12-12T14:49:26
2021-12-12T14:49:26
223,280,586
7
5
MIT
2019-12-03T00:36:03
2019-11-21T22:58:34
C++
UTF-8
C++
false
false
745
h
#pragma once #include <unordered_set> #include "FSchemeVisitor.h" namespace FPTL { namespace Runtime { class NodeDeleter : public FSchemeVisitor { public: void visit(const FFunctionNode * node) override; void visit(const FParallelNode * node) override; void visit(const FSequentialNode * node) override; void visit(const FConditionNode * node) override; void visit(const FScheme * scheme) override; void visit(const FTakeNode * node) override; void visit(const FConstantNode * node) override; void visit(const FStringConstant * node) override; void releaseGraph(const FSchemeNode * node); private: void process(const FSchemeNode * node); std::unordered_set<const FSchemeNode*> visited; }; } }
[ "zumisha@yandex.ru" ]
zumisha@yandex.ru
99ec53d3700efd23a0e64f622016e878d2b1b4c5
a684f7687d69f32b1ce16645c717e9f0eb71af43
/Robot/src/Commands/ShutForkOnBinCommand.cpp
c4647a69bfa5cbf19b0077c661a6f85721443422
[]
no_license
Bullseye4984/4984
35c72bee0be5c186913bad53481b33c74749cd53
36a38a46708ceef21442e7df0c8b0cefcfcbbf59
refs/heads/master
2021-01-23T08:04:33.849899
2015-03-01T02:48:02
2015-03-01T02:48:02
29,838,593
1
1
null
null
null
null
UTF-8
C++
false
false
1,474
cpp
// RobotBuilder Version: 1.5 // // This file was generated by RobotBuilder. It contains sections of // code that are automatically generated and assigned by robotbuilder. // These sections will be updated in the future when you export to // C++ from RobotBuilder. Do not put any code or make any change in // the blocks indicating autogenerated code or it will be lost on an // update. Deleting the comments indicating the section will prevent // it from being updated in the future. #include "ShutForkOnBinCommand.h" ShutForkOnBinCommand::ShutForkOnBinCommand() { // Use requires() here to declare subsystem dependencies // eg. requires(chassis); // BEGIN AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=REQUIRES Requires(Robot::fork); // END AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=REQUIRES } // Called just before this Command runs the first time void ShutForkOnBinCommand::Initialize() { SetTimeout(5); } // Called repeatedly when this Command is scheduled to run void ShutForkOnBinCommand::Execute() { Robot::fork->forkMotor->Set(-1); } // Make this return true when this Command no longer needs to run execute() bool ShutForkOnBinCommand::IsFinished() { return IsTimedOut(); } // Called once after isFinished returns true void ShutForkOnBinCommand::End() { Robot::fork->forkMotor->Set(0); } // Called when another command which requires one or more of the same // subsystems is scheduled to run void ShutForkOnBinCommand::Interrupted() { End(); }
[ "nathan@vaniman.com" ]
nathan@vaniman.com
c50c087331a5a065ce1f8d599c1c77d8d72c62e3
b00c54389a95d81a22e361fa9f8bdf5a2edc93e3
/cts/tests/tests/bionic/main.cpp
b661af4bd3855dc6b68c41258a41ab66f854c65f
[]
no_license
mirek190/x86-android-5.0
9d1756fa7ff2f423887aa22694bd737eb634ef23
eb1029956682072bb7404192a80214189f0dc73b
refs/heads/master
2020-05-27T01:09:51.830208
2015-10-07T22:47:36
2015-10-07T22:47:36
41,942,802
15
20
null
2020-03-09T00:21:03
2015-09-05T00:11:19
null
UTF-8
C++
false
false
817
cpp
/* * Copyright (C) 2014 The Android Open Source Project * * 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. */ #include <gtest/gtest.h> int main(int argc, char **argv) { // Do not use gtest_main to avoid the Running main() ... output. testing::InitGoogleTest(&argc, argv); return RUN_ALL_TESTS(); }
[ "mirek190@gmail.com" ]
mirek190@gmail.com
a1ddbbff1bc62cd7c6cd5df45667d3bff43e0d17
021c77d51bd5176f0d1a69e2c1eec6f48a59c2d1
/Material.h
153df4d6802468f7124ad55e77fae81c81bde10a
[]
no_license
stephenap07/objviewer
50167af145d6f928245496895612561f730fbf72
d182f31c0391778c08d31b6e2b480dbd0b3d33e5
refs/heads/master
2021-07-17T10:37:10.834036
2017-10-25T03:15:47
2017-10-25T03:15:47
107,209,916
0
0
null
null
null
null
UTF-8
C++
false
false
669
h
#pragma once #include <glm/glm.hpp> #include "extern/tiny_obj_loader.h" #include <string> class Material { public: Material() = default; Material(const Material&) = default; Material(Material&&) = default; Material(const tinyobj::material_t& m); glm::vec3 ambient; glm::vec3 diffuse; glm::vec3 specular; glm::vec3 transmittance; glm::vec3 emission; float shininess; float ior; float dissolve; std::string ambientTexname; std::string diffuseTexname; std::string specularTexname; std::string specularHighlightTexname; std::string bumpTexname; std::string displacementTexname; std::string alphaTexname; };
[ "stephenap07@gmail.com" ]
stephenap07@gmail.com
17e0d817d3e1371f717624f47a5b00a0c5d4f52f
362d90da4ed3a6b0e558bfff740de9f1adc2a1b4
/BrigitteBarBot/BrigitteBarBot.ino
153cb5a33741c73b806c9a02dd8903f2ae100da0
[ "MIT" ]
permissive
stevebaxter/BrigitteBarBot
3698e43dfa7d2a1c8d61a134923c80fe4ab664f1
8b447505e1ead36f63dd1d6b5ee8e5c2c29674fb
refs/heads/master
2022-06-23T08:46:13.322406
2018-09-03T22:54:08
2018-09-03T22:54:08
143,636,375
0
0
null
null
null
null
UTF-8
C++
false
false
5,267
ino
/** Motor control for Brigitte BarBot */ #include <Wire.h> #include <PPMReader.h> #include "ComMotion.h" // Range for stick values const long stickValueRange = 255; // Initialize a PPMReader on digital pin 2 with 8 expected channels. #define kInterruptPin 2 #define kChannelCount 8 PPMReader ppm(kInterruptPin, kChannelCount); // We filter values from the PPM controller as we seem to get spurious values long channelFilter[kChannelCount][3]; int channelFilterIndex[kChannelCount]; long FilterChannel(int channel, long value) { long outputValue = value; // Make channel zero-based channel--; int index = channelFilterIndex[channel]; channelFilter[channel][index] = value; long value0 = channelFilter[channel][0]; long value1 = channelFilter[channel][1]; long value2 = channelFilter[channel][2]; long average = (value0 + value1 + value2) / 3; // Of the values in the filter, reject the outlier long diff0 = abs(value0 - average); long diff1 = abs(value1 - average); long diff2 = abs(value2 - average); if ((diff0 > diff1) && (diff0 > diff2)) { // Entry 0 is the outlier outputValue = (channelFilter[channel][1] + channelFilter[channel][2]) / 2; } else if ((diff1 > diff0) && (diff1 > diff2)) { // Entry 1 is the outlier outputValue = (channelFilter[channel][0] + channelFilter[channel][2]) / 2; } else if ((diff2 > diff0) && (diff2 > diff1)) { // Entry 2 is the outlier outputValue = (channelFilter[channel][0] + channelFilter[channel][1]) / 2; } index++; index %= 3; channelFilterIndex[channel] = index; return outputValue; } long GetStickPositionForChannel(int channel) { // Get the last values from PPM. These centre around 1500 with ~1900 as max and // ~1150 as min. We convert these as a value from -100 to +100 for each of the two // channels. This is pretty coarse but helps to eliminate noise. const long minValue = 1150; const long maxValue = 1900; const long centreValue = (minValue + maxValue) / 2; const long valueRange = maxValue - minValue; // Get the raw value long value = ppm.latestValidChannelValue(channel, centreValue); value = FilterChannel(channel, value); // Convert to our range value = (value - centreValue) * (stickValueRange * 2) / valueRange; // If the absolute value is <20 then stop - this gives us a "dead zone) if (abs(value) < (stickValueRange / 5)) { value = 0; } // Ensure the value is constrained to guard against interference or other weirdness value = constrain(value, -stickValueRange, stickValueRange); return value; } long LimitAcceleration(long newValue, long lastValue) { if (newValue > lastValue) { newValue = min(newValue, lastValue + 10); } else if (newValue < lastValue) { newValue = max(newValue, lastValue - 10); } return newValue; } void setup() { // Required to support I2C communication Wire.begin(); Wire.setTimeout(1L); Serial.begin(9600); ppm.channelValueMaxError = 20; ppm.blankTime = 5000; ppm.minChannelValue = 1100; ppm.maxChannelValue = 1900; // Initialise the channel filter memset(channelFilter, 0, kChannelCount * 3 * sizeof(long)); memset(channelFilterIndex, 0, kChannelCount * sizeof(long)); // Wait for the ComMotion shield to be available delay(3000); // Send Basic Configuration packet to controller // See ComMotion.h for argument definition list. // // We configure individual motor control with 1200 mA current limit // on each motor. BasicConfig(0, 19, 0, 120, 120, 120, 120, 0, 1); EncoderConfig(11500, 100, 10, 10); Serial.println("Starting Brigitte..."); IndividualMotorControl(0, 0, 0, 0); } void loop() { // Last values for motor control static long lastRightMotor = 0; static long lastLeftMotor = 0; // Get the stick values. Channel 1 is left/right, channel 2 is forward/backward, // on a scale of -stickValueRange to +stickValueRange. long stickX = GetStickPositionForChannel(4); long stickY = GetStickPositionForChannel(3); long rightMotor = 0; long leftMotor = 0; // If they are both 0 then all stop if ((stickX == 0) && (stickY == 0)) { // Make sure we are stopped IndividualMotorControl(0, 0, 0, 0); } else { // Calculate left and right motor speeds on a scale of -stickValueRange (full reverse) to +stickValueRange (full forward). // Adapted from http://home.kendra.com/mauser/joystick.html. stickX = -stickX; long v = ((stickValueRange - abs(stickX)) * stickY / stickValueRange) + stickY; long w = ((stickValueRange - abs(stickY)) * stickX / stickValueRange) + stickX; rightMotor = (v + w) / 2; leftMotor = (v - w) / 2; } // Limit the speed of changes leftMotor = LimitAcceleration(leftMotor, lastLeftMotor); rightMotor = LimitAcceleration(rightMotor, lastRightMotor); // Send the values to the motors if they have changed if ((leftMotor != lastLeftMotor) || (rightMotor != lastRightMotor)) { IndividualMotorControl(leftMotor, leftMotor, rightMotor, rightMotor); lastLeftMotor = leftMotor; lastRightMotor = rightMotor; } Serial.print("L: " + String(leftMotor) + " "); Serial.print("R: " + String(rightMotor) + " "); Serial.println(); delay(50); }
[ "steve@kuamka.com" ]
steve@kuamka.com
95103034a42c01a21f24198fba1d886f388383db
6b2a8dd202fdce77c971c412717e305e1caaac51
/solutions_6404600001200128_0/C++/greatwall1995/A.cpp
e1a0487bb91cbc4b9e3f2da6518c5bb8d0e2813e
[]
no_license
alexandraback/datacollection
0bc67a9ace00abbc843f4912562f3a064992e0e9
076a7bc7693f3abf07bfdbdac838cb4ef65ccfcf
refs/heads/master
2021-01-24T18:27:24.417992
2017-05-23T09:23:38
2017-05-23T09:23:38
84,313,442
2
4
null
null
null
null
UTF-8
C++
false
false
878
cpp
#include <iostream> #include <cstdio> #include <cstring> #include <algorithm> #include <cstdlib> #include <string> #include <vector> #include <cmath> #include <queue> #include <map> #include <set> using namespace std; const int N = 11111; int n; int a[N]; int main() { freopen("A_.in", "r", stdin); freopen("A_.out", "w", stdout); int TT; scanf("%d", &TT); for (int T = 1; T <= TT; ++T) { printf("Case #%d: ", T); scanf("%d", &n); for (int i = 1; i <= n; ++i) { scanf("%d", a + i); } int ans1, ans2; ans1 = ans2 = 0; int mn = 0; for (int i = 1; i <= n - 1; ++i) { if (a[i + 1] < a[i]) { ans1 += a[i] - a[i + 1]; mn = max(mn, a[i] - a[i + 1]); } } for (int i = 1; i <= n - 1; ++i) { if (a[i] > mn) ans2 += mn; else ans2 += a[i]; } printf("%d %d\n", ans1, ans2); } return 0; }
[ "eewestman@gmail.com" ]
eewestman@gmail.com
80450613def679baa6317093167aa411acdb8ddf
0225a1fb4e8bfd022a992a751c9ae60722f9ca0d
/3party/osrm/osrm-backend/third_party/libosmium/include/osmium/visitor.hpp
0250f11d46e4a9838604f649b8dc97c703df5cd5
[ "Apache-2.0", "BSD-2-Clause", "BSL-1.0", "LicenseRef-scancode-unknown-license-reference" ]
permissive
organicmaps/organicmaps
fb2d86ea12abf5aab09cd8b7c55d5d5b98f264a1
76016d6ce0be42bfb6ed967868b9bd7d16b79882
refs/heads/master
2023-08-16T13:58:16.223655
2023-08-15T20:16:15
2023-08-15T20:16:15
324,829,379
6,981
782
Apache-2.0
2023-09-14T21:30:12
2020-12-27T19:02:26
C++
UTF-8
C++
false
false
11,016
hpp
#ifndef OSMIUM_VISITOR_HPP #define OSMIUM_VISITOR_HPP /* This file is part of Osmium (http://osmcode.org/libosmium). Copyright 2013-2015 Jochen Topf <jochen@topf.org> and others (see README). Boost Software License - Version 1.0 - August 17th, 2003 Permission is hereby granted, free of charge, to any person or organization obtaining a copy of the software and accompanying documentation covered by this license (the "Software") to use, reproduce, display, distribute, execute, and transmit the Software, and to prepare derivative works of the Software, and to permit third-parties to whom the Software is furnished to do so, all subject to the following: The copyright notices in the Software and this entire statement, including the above license grant, this restriction and the following disclaimer, must be included in all copies of the Software, in whole or in part, and all derivative works of the Software, unless such copies or derivative works are solely in the form of machine-executable object code generated by a source language processor. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ #include <type_traits> #include <osmium/io/reader_iterator.hpp> // IWYU pragma: keep #include <osmium/memory/buffer.hpp> #include <osmium/osm.hpp> #include <osmium/osm/entity.hpp> #include <osmium/osm/item_type.hpp> namespace osmium { class TagList; class WayNodeList; class RelationMemberList; class OuterRing; class InnerRing; namespace memory { class Item; } namespace detail { template <typename T, typename U> using ConstIfConst = typename std::conditional<std::is_const<T>::value, typename std::add_const<U>::type, U>::type; template <class THandler, class TItem> inline void apply_item_recurse(TItem& item, THandler& handler) { switch (item.type()) { case osmium::item_type::undefined: break; case osmium::item_type::node: handler.osm_object(static_cast<ConstIfConst<TItem, osmium::OSMObject>&>(item)); handler.node(static_cast<ConstIfConst<TItem, osmium::Node>&>(item)); break; case osmium::item_type::way: handler.osm_object(static_cast<ConstIfConst<TItem, osmium::OSMObject>&>(item)); handler.way(static_cast<ConstIfConst<TItem, osmium::Way>&>(item)); break; case osmium::item_type::relation: handler.osm_object(static_cast<ConstIfConst<TItem, osmium::OSMObject>&>(item)); handler.relation(static_cast<ConstIfConst<TItem, osmium::Relation>&>(item)); break; case osmium::item_type::area: handler.osm_object(static_cast<ConstIfConst<TItem, osmium::OSMObject>&>(item)); handler.area(static_cast<ConstIfConst<TItem, osmium::Area>&>(item)); break; case osmium::item_type::changeset: handler.changeset(static_cast<ConstIfConst<TItem, osmium::Changeset>&>(item)); break; case osmium::item_type::tag_list: handler.tag_list(static_cast<ConstIfConst<TItem, osmium::TagList>&>(item)); break; case osmium::item_type::way_node_list: handler.way_node_list(static_cast<ConstIfConst<TItem, osmium::WayNodeList>&>(item)); break; case osmium::item_type::relation_member_list: case osmium::item_type::relation_member_list_with_full_members: handler.relation_member_list(static_cast<ConstIfConst<TItem, osmium::RelationMemberList>&>(item)); break; case osmium::item_type::outer_ring: handler.outer_ring(static_cast<ConstIfConst<TItem, osmium::OuterRing>&>(item)); break; case osmium::item_type::inner_ring: handler.inner_ring(static_cast<ConstIfConst<TItem, osmium::InnerRing>&>(item)); break; } } template <class THandler> inline void apply_item_recurse(const osmium::OSMEntity& item, THandler& handler) { switch (item.type()) { case osmium::item_type::node: handler.osm_object(static_cast<const osmium::OSMObject&>(item)); handler.node(static_cast<const osmium::Node&>(item)); break; case osmium::item_type::way: handler.osm_object(static_cast<const osmium::OSMObject&>(item)); handler.way(static_cast<const osmium::Way&>(item)); break; case osmium::item_type::relation: handler.osm_object(static_cast<const osmium::OSMObject&>(item)); handler.relation(static_cast<const osmium::Relation&>(item)); break; case osmium::item_type::area: handler.osm_object(static_cast<const osmium::OSMObject&>(item)); handler.area(static_cast<const osmium::Area&>(item)); break; case osmium::item_type::changeset: handler.changeset(static_cast<const osmium::Changeset&>(item)); break; default: throw osmium::unknown_type(); } } template <class THandler> inline void apply_item_recurse(osmium::OSMEntity& item, THandler& handler) { switch (item.type()) { case osmium::item_type::node: handler.osm_object(static_cast<osmium::OSMObject&>(item)); handler.node(static_cast<osmium::Node&>(item)); break; case osmium::item_type::way: handler.osm_object(static_cast<osmium::OSMObject&>(item)); handler.way(static_cast<osmium::Way&>(item)); break; case osmium::item_type::relation: handler.osm_object(static_cast<osmium::OSMObject&>(item)); handler.relation(static_cast<osmium::Relation&>(item)); break; case osmium::item_type::area: handler.osm_object(static_cast<osmium::OSMObject&>(item)); handler.area(static_cast<osmium::Area&>(item)); break; case osmium::item_type::changeset: handler.changeset(static_cast<osmium::Changeset&>(item)); break; default: throw osmium::unknown_type(); } } template <class THandler> inline void apply_item_recurse(const osmium::OSMObject& item, THandler& handler) { switch (item.type()) { case osmium::item_type::node: handler.osm_object(item); handler.node(static_cast<const osmium::Node&>(item)); break; case osmium::item_type::way: handler.osm_object(item); handler.way(static_cast<const osmium::Way&>(item)); break; case osmium::item_type::relation: handler.osm_object(item); handler.relation(static_cast<const osmium::Relation&>(item)); break; case osmium::item_type::area: handler.osm_object(item); handler.area(static_cast<const osmium::Area&>(item)); break; default: throw osmium::unknown_type(); } } template <class THandler> inline void apply_item_recurse(osmium::OSMObject& item, THandler& handler) { switch (item.type()) { case osmium::item_type::node: handler.osm_object(item); handler.node(static_cast<osmium::Node&>(item)); break; case osmium::item_type::way: handler.osm_object(item); handler.way(static_cast<osmium::Way&>(item)); break; case osmium::item_type::relation: handler.osm_object(item); handler.relation(static_cast<osmium::Relation&>(item)); break; case osmium::item_type::area: handler.osm_object(item); handler.area(static_cast<osmium::Area&>(item)); break; default: throw osmium::unknown_type(); } } template <class THandler, class TItem, class ...TRest> inline void apply_item_recurse(TItem& item, THandler& handler, TRest&... more) { apply_item_recurse(item, handler); apply_item_recurse(item, more...); } template <class THandler> inline void flush_recurse(THandler& handler) { handler.flush(); } template <class THandler, class ...TRest> inline void flush_recurse(THandler& handler, TRest&... more) { flush_recurse(handler); flush_recurse(more...); } } // namespace detail template <class ...THandlers> inline void apply_item(const osmium::memory::Item& item, THandlers&... handlers) { detail::apply_item_recurse(item, handlers...); } template <class ...THandlers> inline void apply_item(osmium::memory::Item& item, THandlers&... handlers) { detail::apply_item_recurse(item, handlers...); } template <class TIterator, class ...THandlers> inline void apply(TIterator it, TIterator end, THandlers&... handlers) { for (; it != end; ++it) { detail::apply_item_recurse(*it, handlers...); } detail::flush_recurse(handlers...); } template <class TContainer, class ...THandlers> inline void apply(TContainer& c, THandlers&... handlers) { apply(std::begin(c), std::end(c), handlers...); } template <class ...THandlers> inline void apply(const osmium::memory::Buffer& buffer, THandlers&... handlers) { apply(buffer.cbegin(), buffer.cend(), handlers...); } } // namespace osmium #endif // OSMIUM_VISITOR_HPP
[ "alex@maps.me" ]
alex@maps.me
00a5a5097ebb7056b486a2f1014d0b93afb2b56f
514fdafec229bab2b95d4b40d1ec4ddb7f48b1c2
/frameworks/cocos2d-x/cocos/flash/PandoraLib/IPAddress.cpp
f95bb42dd019c93fe7ff05dfccee8eab0bb0aa3d
[ "MIT" ]
permissive
xslkim/FlashEngine
409c0b105f4c7bb531954bb00a78c95d2b3d349d
30aedbe92447bcd5bd3c8abd7831776f67f8df46
refs/heads/master
2020-04-24T03:45:23.809432
2019-02-23T11:40:22
2019-02-23T11:40:22
171,680,376
1
0
null
null
null
null
UTF-8
C++
false
false
4,315
cpp
#include "IPAddress.h" char *if_names[MAXADDRS]; char *ip_names[MAXADDRS]; char *hw_addrs[MAXADDRS]; unsigned long ip_addrs[MAXADDRS]; #if (CC_TARGET_PLATFORM == CC_PLATFORM_WIN32) void InitAddresses(){}; void FreeAddresses(){}; void GetIPAddresses(){}; void GetHWAddresses(){}; #else #include <stdio.h> #include <stdlib.h> #include <string.h> #include <unistd.h> #include <sys/ioctl.h> #include <sys/types.h> #include <sys/socket.h> #include <netinet/in.h> #include <netdb.h> #include <arpa/inet.h> #include <sys/sockio.h> #include <net/if.h> #include <errno.h> #include <net/if_dl.h> #include <net/ethernet.h> #include "IPAddress.h" #define min(a,b) ((a) < (b) ? (a) : (b)) #define max(a,b) ((a) > (b) ? (a) : (b)) #define BUFFERSIZE 4000 static int nextAddr = 0; void InitAddresses() { int i; for (i=0; i<MAXADDRS; ++i) { if_names[i] = ip_names[i] = hw_addrs[i] = NULL; ip_addrs[i] = 0; } } void FreeAddresses() { int i; for (i=0; i<MAXADDRS; ++i) { if (if_names[i] != 0) free(if_names[i]); if (ip_names[i] != 0) free(ip_names[i]); if (hw_addrs[i] != 0) free(hw_addrs[i]); ip_addrs[i] = 0; } InitAddresses(); } void GetIPAddresses() { int i, len, flags; char buffer[BUFFERSIZE], *ptr, lastname[IFNAMSIZ], *cptr; struct ifconf ifc; struct ifreq *ifr, ifrcopy; struct sockaddr_in *sin; char temp[80]; int sockfd; for (i=0; i<MAXADDRS; ++i) { if_names[i] = ip_names[i] = NULL; ip_addrs[i] = 0; } sockfd = socket(AF_INET, SOCK_DGRAM, 0); if (sockfd < 0) { perror("socket failed"); return; } ifc.ifc_len = BUFFERSIZE; ifc.ifc_buf = buffer; if (ioctl(sockfd, SIOCGIFCONF, &ifc) < 0) { perror("ioctl error"); return; } lastname[0] = 0; for (ptr = buffer; ptr < buffer + ifc.ifc_len; ) { ifr = (struct ifreq *)ptr; len = max(sizeof(struct sockaddr), ifr->ifr_addr.sa_len); ptr += sizeof(ifr->ifr_name) + len; // for next one in buffer if (ifr->ifr_addr.sa_family != AF_INET) { continue; // ignore if not desired address family } if ((cptr = (char *)strchr(ifr->ifr_name, ':')) != NULL) { *cptr = 0; // replace colon will null } if (strncmp(lastname, ifr->ifr_name, IFNAMSIZ) == 0) { continue; /* already processed this interface */ } memcpy(lastname, ifr->ifr_name, IFNAMSIZ); ifrcopy = *ifr; ioctl(sockfd, SIOCGIFFLAGS, &ifrcopy); flags = ifrcopy.ifr_flags; if ((flags & IFF_UP) == 0) { continue; // ignore if interface not up } if_names[nextAddr] = (char *)malloc(strlen(ifr->ifr_name)+1); if (if_names[nextAddr] == NULL) { return; } strcpy(if_names[nextAddr], ifr->ifr_name); sin = (struct sockaddr_in *)&ifr->ifr_addr; strcpy(temp, inet_ntoa(sin->sin_addr)); ip_names[nextAddr] = (char *)malloc(strlen(temp)+1); if (ip_names[nextAddr] == NULL) { return; } strcpy(ip_names[nextAddr], temp); ip_addrs[nextAddr] = sin->sin_addr.s_addr; ++nextAddr; } close(sockfd); } void GetHWAddresses() { struct ifconf ifc; struct ifreq *ifr; int i, sockfd; char buffer[BUFFERSIZE], *cp, *cplim; char temp[80]; for (i=0; i<MAXADDRS; ++i) { hw_addrs[i] = NULL; } sockfd = socket(AF_INET, SOCK_DGRAM, 0); if (sockfd < 0) { perror("socket failed"); return; } ifc.ifc_len = BUFFERSIZE; ifc.ifc_buf = buffer; if (ioctl(sockfd, SIOCGIFCONF, (char *)&ifc) < 0) { perror("ioctl error"); close(sockfd); return; } ifr = ifc.ifc_req; cplim = buffer + ifc.ifc_len; for (cp=buffer; cp < cplim; ) { ifr = (struct ifreq *)cp; if (ifr->ifr_addr.sa_family == AF_LINK) { struct sockaddr_dl *sdl = (struct sockaddr_dl *)&ifr->ifr_addr; int a,b,c,d,e,f; int i; strcpy(temp, (char *)ether_ntoa((const struct ether_addr *)LLADDR(sdl))); sscanf(temp, "%x:%x:%x:%x:%x:%x", &a, &b, &c, &d, &e, &f); sprintf(temp, "%02X:%02X:%02X:%02X:%02X:%02X",a,b,c,d,e,f); for (i=0; i<MAXADDRS; ++i) { if ((if_names[i] != NULL) && (strcmp(ifr->ifr_name, if_names[i]) == 0)) { if (hw_addrs[i] == NULL) { hw_addrs[i] = (char *)malloc(strlen(temp)+1); strcpy(hw_addrs[i], temp); break; } } } } cp += sizeof(ifr->ifr_name) + max(sizeof(ifr->ifr_addr), ifr->ifr_addr.sa_len); } close(sockfd); } #endif
[ "xslkim@163.com" ]
xslkim@163.com
f44df1481f972a37a0fe4f98ca62d338da5c4ca8
fd3f05ba65b8571e96649e9ffa75d54f69041f06
/src/EUTelTakiDetector.cc
79b4df17a5780bab2d7887bce12942fc05e1d320
[]
no_license
terzo/Euetelscope_v00-09-02_fork
2fdefc4a442bda1cf06f5fc4dd0821ba454a07f5
d895b2ade9c4c7803bb4130aaa3072851898fcc1
refs/heads/master
2021-01-16T21:00:52.744370
2014-12-16T18:07:29
2014-12-16T18:07:29
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,541
cc
// Version: $Id: EUTelTakiDetector.cc 2285 2013-01-18 13:46:44Z hperrey $ // Author Christian Takacs, SUS UNI HD <mailto:ctakacs@rumms.uni-mannheim.de> /* * This source code is part of the Eutelescope package of Marlin. * You are free to use this source files for your own development as * long as it stays in a public research context. You are not * allowed to use it for commercial purpose. You must put this * header with author names in all development based on this file. * */ // personal includes ".h" #include "EUTELESCOPE.h" #include "EUTelTakiDetector.h" // system includes <> #include <iostream> #include <iomanip> #include <vector> #include <string> using namespace std; using namespace eutelescope; EUTelTakiDetector::EUTelTakiDetector() : EUTelPixelDetector() { _xMin = 0; _xMax = 127; _yMin = 0; _yMax = 127; //is this number correct? _name = "Taki"; // "SUSHVPIX" _xPitch = 0.021; _yPitch = 0.021; } bool EUTelTakiDetector::hasSubChannels() const { if ( _subChannelsWithoutMarkers.size() != 0 ) return true; else return false; } std::vector< EUTelROI > EUTelTakiDetector::getSubChannels( bool withMarker ) const { if ( withMarker ) return _subChannelsWithMarkers; else return _subChannelsWithoutMarkers; } EUTelROI EUTelTakiDetector::getSubChannelBoundary( size_t iChan, bool withMarker ) const { if ( withMarker ) return _subChannelsWithMarkers.at( iChan ); else return _subChannelsWithoutMarkers.at( iChan ); } void EUTelTakiDetector::setMode( string mode ) { _mode = mode; } void EUTelTakiDetector::print( ostream& os ) const { //os << "Detector name: " << _name << endl; size_t w = 35; os << resetiosflags(ios::right) << setiosflags(ios::left) << setfill('.') << setw( w ) << setiosflags(ios::left) << "Detector name " << resetiosflags(ios::left) << " " << _name << endl << setw( w ) << setiosflags(ios::left) << "Mode " << resetiosflags(ios::left) << " " << _mode << endl << setw( w ) << setiosflags(ios::left) << "Pixel along x " << resetiosflags(ios::left) << " from " << _xMin << " to " << _xMax << endl << setw( w ) << setiosflags(ios::left) << "Pixel along y " << resetiosflags(ios::left) << " from " << _yMin << " to " << _yMax << endl << setw( w ) << setiosflags(ios::left) << "Pixel pitch along x " << resetiosflags(ios::left) << " " << _xPitch << " mm " << endl << setw( w ) << setiosflags(ios::left) << "Pixel pitch along y " << resetiosflags(ios::left) << " " << _yPitch << " mm " << endl; }
[ "terzo@mpp.mpg.de" ]
terzo@mpp.mpg.de
b0848da521ed6ca6915bc92a3820fc86d014c2a7
36013530e70a881f4b25830637e1cbcbf7048215
/src/target/llvm/codegen_hexagon.cc
ff59dfcceb8d8b3424ba24d2509d7391c5075573
[ "Apache-2.0", "BSD-3-Clause", "Zlib", "MIT", "LicenseRef-scancode-unknown-license-reference", "Unlicense", "BSD-2-Clause" ]
permissive
ymeng-git/tvm
f121f8bad4084eaee06e185b3e80fe1739aad96a
a9f7c32e42a5f09e641dbe83f81cc4a73869af12
refs/heads/master
2022-09-06T18:23:56.153721
2022-08-25T21:21:13
2022-08-25T21:21:13
214,013,729
0
0
Apache-2.0
2019-10-09T20:08:41
2019-10-09T20:08:41
null
UTF-8
C++
false
false
25,566
cc
/* * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you 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. */ #if defined(TVM_LLVM_VERSION) && TVM_LLVM_VERSION >= 70 #include <llvm/ADT/ArrayRef.h> #include <llvm/ADT/SmallString.h> #include <llvm/ADT/StringRef.h> #include <llvm/Bitcode/BitcodeWriter.h> #include <llvm/IR/Constants.h> #include <llvm/IR/DerivedTypes.h> #include <llvm/IR/Function.h> #include <llvm/IR/GlobalVariable.h> #include <llvm/IR/Instructions.h> #include <llvm/IR/Intrinsics.h> #if TVM_LLVM_VERSION >= 100 #include <llvm/IR/IntrinsicsHexagon.h> #endif #include <llvm/IR/LLVMContext.h> #include <llvm/IR/LegacyPassManager.h> #include <llvm/IR/MDBuilder.h> #include <llvm/IR/Module.h> #if TVM_LLVM_VERSION >= 100 #include <llvm/Support/Alignment.h> #endif #include <llvm/Support/CodeGen.h> #include <llvm/Support/CommandLine.h> #include <llvm/Support/FileSystem.h> #include <llvm/Support/raw_ostream.h> #include <llvm/Target/TargetMachine.h> #include <llvm/Transforms/Utils/Cloning.h> #include <tvm/runtime/module.h> #include <tvm/target/codegen.h> #include <tvm/tir/analysis.h> #include <cstdio> #include <cstdlib> #include <map> #include <sstream> #include <string> #include <unordered_map> #include <utility> #include <vector> #include "../../runtime/hexagon/hexagon_module.h" #include "../build_common.h" #include "codegen_cpu.h" #include "llvm_instance.h" namespace tvm { namespace codegen { // Hexagon code generation class CodeGenHexagon final : public CodeGenCPU { public: void Init(const std::string& module_name, LLVMTarget* llvm_target, bool system_lib, bool dynamic_lookup, bool target_c_runtime) override; void InitTarget() final; using CodeGenCPU::VisitStmt_; llvm::Value* VisitExpr_(const BufferLoadNode* op) override; llvm::Value* CreateCallExtern(Type ret_type, String global_symbol, const Array<PrimExpr>& args, bool skip_first_arg) override; llvm::Value* CreateCallExternQHL(Type ret_type, String global_symbol, const Array<PrimExpr>& args, bool skip_first_arg); llvm::Module* GetModulePtr() const { return module_.get(); } uint64_t GetTypeSizeInBits(llvm::Type* type) const { #if TVM_LLVM_VERSION >= 100 return data_layout_->getTypeSizeInBits(type).getFixedSize(); #else return data_layout_->getTypeSizeInBits(type); #endif } protected: void CreatePrintf(const std::string& format, llvm::ArrayRef<llvm::Value*> format_args) final; private: TypedPointer CreateBufferPtr(llvm::Value* buffer_ptr, DataType buffer_element_dtype, llvm::ArrayRef<llvm::Value*> indices, DataType value_dtype) final; TypedPointer CreateStructRefPtr(DataType t, llvm::Value* buf, llvm::Value* index, int kind); bool IsQHLFunction(const std::string& func); llvm::Value* VectorLookupLoad(Buffer buffer, DataType buffer_type, Array<PrimExpr> indices); llvm::Value* Intrinsic(llvm::Intrinsic::ID, llvm::ArrayRef<llvm::Value*> args); std::vector<std::string> fqhl_list_ = { "tvm_vect_qhmath_hvx_cos_ahf", "tvm_vect_qhmath_hvx_tanh_ahf", "tvm_vect_qhmath_hvx_sigmoid_ahf", "tvm_vect_qhmath_hvx_sin_ahf", "tvm_vect_qhmath_hvx_sqrt_ahf", "tvm_vect_qhmath_hvx_exp_ahf", "tvm_vect_qhmath_hvx_tan_ahf", "tvm_vect_qhmath_hvx_floor_ahf", "tvm_vect_qhmath_hvx_ceil_ahf", "tvm_vect_qhmath_hvx_pow_ahf"}; }; void CodeGenHexagon::Init(const std::string& module_name, LLVMTarget* llvm_target, bool system_lib, bool dynamic_lookup, bool target_c_runtime) { CodeGenCPU::Init(module_name, llvm_target, system_lib, dynamic_lookup, target_c_runtime); } void CodeGenHexagon::InitTarget() { native_vector_bits_ = 64; // Assume "scalar" vectors at first. const auto hvx_length_feature = "+hvx-length"; // +hvx-length{64|128}b for (const std::string& f : llvm_target_->GetTargetFeatures()) { llvm::StringRef fs(f); if (!fs.startswith(hvx_length_feature)) continue; ICHECK(fs.endswith("b")) << "malformed target feature: " << f; int hvx_bytes = 0; size_t len_begin = std::strlen(hvx_length_feature); ICHECK(!fs.substr(len_begin, fs.size() - len_begin - 1).getAsInteger(10, hvx_bytes)) << "invalid HVX length in feature string: " << f; ICHECK(hvx_bytes == 64 || hvx_bytes == 128) << "invalid HVX vector length: " << hvx_bytes << ", should be 64 or 128"; native_vector_bits_ = hvx_bytes * 8; // There should only be one hvx-length... break; } CodeGenCPU::InitTarget(); } llvm::Value* CodeGenHexagon::CreateCallExternQHL(Type ret_type, String global_symbol, const Array<PrimExpr>& args, bool skip_first_arg) { int num_lanes = args[1].dtype().lanes(); int vector_length = native_vector_bits_ / args[1].dtype().bits(); num_lanes = ((num_lanes + vector_length - 1) / vector_length) * vector_length; std::vector<llvm::Value*> vect_split; for (int i = 0; i < num_lanes / vector_length; ++i) { std::vector<llvm::Value*> sub_vect_val; std::vector<llvm::Type*> arg_types; for (size_t k = skip_first_arg; k < args.size(); ++k) sub_vect_val.push_back( CodeGenCPU::CreateVecSlice(MakeValue(args[k]), i * vector_length, vector_length)); for (llvm::Value* v : sub_vect_val) { arg_types.push_back(v->getType()); } llvm::FunctionType* ftype = llvm::FunctionType::get(arg_types[0], arg_types, false); llvm::Function* f = module_->getFunction(MakeStringRef(global_symbol)); if (f == nullptr) { f = llvm::Function::Create(ftype, llvm::Function::ExternalLinkage, MakeStringRef(global_symbol), module_.get()); } #if TVM_LLVM_VERSION >= 90 auto ext_callee = llvm::FunctionCallee(f); #else auto ext_callee = f; #endif vect_split.push_back(builder_->CreateCall(ext_callee, sub_vect_val)); } return CodeGenCPU::CreateVecConcat(vect_split); } bool CodeGenHexagon::IsQHLFunction(const std::string& func) { return std::find(fqhl_list_.begin(), fqhl_list_.end(), func) != fqhl_list_.end(); } llvm::Value* CodeGenHexagon::CreateCallExtern(Type ret_type, String global_symbol, const Array<PrimExpr>& args, bool skip_first_arg) { int num_lanes = args[1].dtype().lanes(); int vector_length = native_vector_bits_ / args[1].dtype().bits(); if (IsQHLFunction(global_symbol) && (num_lanes > vector_length)) return CreateCallExternQHL(ret_type, global_symbol, args, skip_first_arg); return CodeGenCPU::CreateCallExtern(ret_type, global_symbol, args, skip_first_arg); } llvm::Value* CodeGenHexagon::VisitExpr_(const BufferLoadNode* op) { if (!op->buffer.same_as(op->buffer->data)) { // Check if we can generate a vector lookup. if (!op->indices[0].as<RampNode>()) { if (auto* vlut = VectorLookupLoad(op->buffer, op->dtype, op->indices)) { return vlut; } } } return CodeGenCPU::VisitExpr_(op); } void CodeGenHexagon::CreatePrintf(const std::string& format, llvm::ArrayRef<llvm::Value*> format_args) { // This function generates LLVM instructions to call HAP_debug_v2, // as if the FARF macro in `HAP_farf.h` were called as // FARF(ALWAYS, format, format_args[0], format_args[1], ...) std::string func_name = "HAP_debug_v2"; llvm::Function* func = module_->getFunction(func_name); if (func == nullptr) { llvm::FunctionType* ftype = llvm::FunctionType::get( t_void_, {t_int32_, t_char_->getPointerTo(), t_int32_, t_char_->getPointerTo()}, true); func = llvm::Function::Create(ftype, llvm::Function::ExternalLinkage, func_name, module_.get()); } llvm::Value* format_str = builder_->CreateGlobalStringPtr(format, "printf_format_str"); // The value of FARF_ALWAYS_LEVEL, defined as HAP_LEVEL_HIGH llvm::Value* level = ConstInt32(2); // There is no such filename/line number for this print statement llvm::Value* filename = builder_->CreateGlobalStringPtr("generated-LLVM-code", "dummy_filename"); llvm::Value* line_number = ConstInt32(1); std::vector<llvm::Value*> func_args = {level, filename, line_number, format_str}; func_args.insert(func_args.end(), format_args.begin(), format_args.end()); builder_->CreateCall(func, func_args); } CodeGenLLVM::TypedPointer CodeGenHexagon::CreateBufferPtr(llvm::Value* buffer_ptr, DataType buffer_element_dtype, llvm::ArrayRef<llvm::Value*> indices, DataType value_dtype) { // Flat indices get delegated to the LLVM codegen. if (indices.size() == 1) { return CodeGenCPU::CreateBufferPtr(buffer_ptr, buffer_element_dtype, indices, value_dtype); } ICHECK_EQ(indices.size(), 2) << "CodegenHexagon supports 1-d and 2-d physical buffers, received " << indices.size() << "-d buffer indices"; // Use the first index to identify the pointer. DataType dtype_void_ptr = DataType::Handle(); CodeGenLLVM::TypedPointer buffer_chunk_ptr_ptr = CodeGenCPU::CreateBufferPtr(buffer_ptr, dtype_void_ptr, {indices[0]}, dtype_void_ptr); llvm::Value* buffer_chunk_ptr = builder_->CreateLoad(buffer_chunk_ptr_ptr.type, buffer_chunk_ptr_ptr.addr); // Then delegate the CodeGenLLVM to find the value from the second // index. return CodeGenCPU::CreateBufferPtr(buffer_chunk_ptr, buffer_element_dtype, {indices[1]}, value_dtype); } CodeGenLLVM::TypedPointer CodeGenHexagon::CreateStructRefPtr(DataType t, llvm::Value* buf, llvm::Value* index, int kind) { static const std::map<int, int> field_index = { {builtin::kArrData, 0}, {builtin::kArrDeviceType, 1}, {builtin::kArrDeviceId, 1}, {builtin::kArrNDim, 2}, {builtin::kArrTypeCode, 3}, {builtin::kArrTypeBits, 3}, {builtin::kArrTypeLanes, 3}, {builtin::kArrShape, 4}, {builtin::kArrStrides, 5}, {builtin::kArrByteOffset, 6}}; static const std::map<int, int> subfield_index = { {builtin::kArrDeviceType, 0}, {builtin::kArrDeviceId, 1}, {builtin::kArrTypeCode, 0}, {builtin::kArrTypeBits, 1}, {builtin::kArrTypeLanes, 2}, }; if (kind < builtin::kArrKindBound_) { if (buf->getType() == t_void_p_) { buf = builder_->CreatePointerCast(buf, t_tvm_array_->getPointerTo()); } else { ICHECK_EQ(buf->getType(), t_tvm_array_->getPointerTo()); } /* The following "kinds" are accessing the members of DLTensor: typedef struct { void* data; kArrData DLDevice device; kArrDeviceType (device.device_type) kArrDeviceId (device.device_id) int ndim; kArrNDim DLDataType dtype; kArrTypeCode (dtype.code) kArrTypeBits (dtype.bits) kArrTypeLanes (dtype.lanes) int64_t* shape; kArrShape int64_t* strides; kArrStrides uint64_t byte_offset; kArrByteOffset } DLTensor; */ llvm::Value* base_gep = builder_->CreateInBoundsGEP(t_tvm_array_, buf, index, "base_gep"); if (kind == builtin::kArrAddr) { return TypedPointer(t_void_p_, base_gep); } llvm::Value* field_gep = builder_->CreateInBoundsGEP( t_tvm_array_, base_gep, {ConstInt32(0), ConstInt32(field_index.at(kind))}, "field_gep"); llvm::Type* field_type = t_tvm_array_->getStructElementType(field_index.at(kind)); switch (kind) { // These fields have no sub-fields. case builtin::kArrData: case builtin::kArrNDim: case builtin::kArrShape: case builtin::kArrStrides: case builtin::kArrByteOffset: return TypedPointer(field_type, field_gep); } llvm::Value* subfield_gep = builder_->CreateInBoundsGEP( field_type, field_gep, {ConstInt32(0), ConstInt32(subfield_index.at(kind))}, "subfield_gep"); llvm::Type* subfield_type = field_type->getStructElementType(subfield_index.at(kind)); return TypedPointer(subfield_type, subfield_gep); } if (kind == builtin::kTVMValueContent) { /* TVMValue is a union: typedef union { int64_t v_int64; double v_float64; void* v_handle; const char* v_str; TVMType v_type; DLDevice v_device; } TVMValue; */ ICHECK_EQ(t.lanes(), 1); ICHECK(t.is_handle() || t.bits() == 64); if (t.is_int()) { buf = builder_->CreatePointerCast(buf, t_int64_->getPointerTo()); return TypedPointer(t_int64_, builder_->CreateInBoundsGEP(t_int64_, buf, index)); } else if (t.is_float()) { buf = builder_->CreatePointerCast(buf, t_float64_->getPointerTo()); return TypedPointer(t_float64_, builder_->CreateInBoundsGEP(t_float64_, buf, index)); } else { ICHECK(t.is_handle()); buf = builder_->CreatePointerCast(buf, t_tvm_value_->getPointerTo()); buf = builder_->CreateInBoundsGEP(t_tvm_value_, buf, index); return TypedPointer(t_void_p_, builder_->CreatePointerCast(buf, t_void_p_->getPointerTo())); } } assert(!"Unknown kind"); return TypedPointer(); } llvm::Value* CodeGenHexagon::Intrinsic(llvm::Intrinsic::ID IntID, llvm::ArrayRef<llvm::Value*> args) { llvm::Function* intf = llvm::Intrinsic::getDeclaration(module_.get(), IntID); #if TVM_LLVM_VERSION >= 90 auto intf_callee = llvm::FunctionCallee(intf); #else auto intf_callee = intf; #endif std::vector<llvm::Value*> conv_args; llvm::FunctionType* intf_type = intf->getFunctionType(); ICHECK(args.size() == intf_type->getNumParams()); for (int i = 0, e = args.size(); i != e; ++i) { llvm::Value* arg = args[i]; auto* need_type = llvm::dyn_cast<llvm::VectorType>(intf_type->getParamType(i)); auto* have_type = llvm::dyn_cast<llvm::VectorType>(arg->getType()); if (need_type != nullptr && have_type != nullptr && need_type != have_type) { int need_width = GetTypeSizeInBits(need_type); int have_width = GetTypeSizeInBits(have_type); if (need_width == have_width) { if (need_width == native_vector_bits_ || need_width == 2 * native_vector_bits_) { arg = builder_->CreateBitCast(arg, need_type); } } // TODO(joshherr-quic): add handling of v128i1 <-> v1024i1 } conv_args.push_back(arg); } return builder_->CreateCall(intf_callee, conv_args); } llvm::Value* CodeGenHexagon::VectorLookupLoad(Buffer buffer, DataType buffer_type, Array<PrimExpr> indices) { PrimExpr index = indices[0]; if (!index.dtype().is_vector()) { return nullptr; } if (buffer_type.bits() != 8) return nullptr; int table_elem_count = arith::Analyzer().Simplify(buffer->shape[0]).as<IntImmNode>()->value; if (table_elem_count <= 0 || table_elem_count > 256) return nullptr; auto int32 = DataType::Int(32); auto native_vector_bytes = native_vector_bits_ / 8; // Indexes llvm::Value* trunc = MakeValue(Cast(index.dtype().with_bits(8), index)); llvm::Value* index_pad = CreateVecPad(trunc, native_vector_bytes); // Values std::vector<llvm::Value*> vloads; DataType table_type = buffer_type.with_lanes(table_elem_count); auto table_all = MakeValue(BufferLoad(buffer, { Ramp(IntImm(int32, 0), IntImm(int32, 1), table_elem_count), })); // The number of value vectors should be a power of 2. int table_vec_count = llvm::PowerOf2Ceil(GetVectorBytes(table_type) / native_vector_bytes); int table_vec_length = native_vector_bytes / buffer_type.bytes(); for (int i = 0; i != table_vec_count; ++i) { // CreateVecSlice will generate undefs for elements outside the source vector. vloads.push_back(CreateVecSlice(table_all, i * table_vec_length, table_vec_length)); } #define VLO(x) Intrinsic(llvm::Intrinsic::hexagon_V6_lo_128B, {x}) #define VHI(x) Intrinsic(llvm::Intrinsic::hexagon_V6_hi_128B, {x}) #define VXOR(x, y) Intrinsic(llvm::Intrinsic::hexagon_V6_vxor_128B, {x, y}) #define VSHUFF(x) Intrinsic(llvm::Intrinsic::hexagon_V6_vshuffb_128B, {x}) #define VSPLATB(x) Intrinsic(llvm::Intrinsic::hexagon_V6_lvsplatb_128B, {x}) #define VLUT32(x, y, z) Intrinsic(llvm::Intrinsic::hexagon_V6_vlutvvbi_128B, {x, y, z}) #define VLUT32_OR(v, x, y, z) \ Intrinsic(llvm::Intrinsic::hexagon_V6_vlutvvb_oracci_128B, {v, x, y, z}) // Shuffle table bytes: // 127, 63, 126, 62,........68, 4, 67, 3, 66, 2, 65, 1, 64, 0 std::vector<llvm::Value*> table; for (int i = 0; i != table_vec_count; ++i) table.push_back(VSHUFF(vloads[i])); // Get each 32 byte sub-table's output std::vector<llvm::Value*> results; int table_iters = table_elem_count / 32; for (int i = 0; i < table_iters; ++i) results.push_back(VLUT32(index_pad, table[i / 4], ConstInt32(i % 8))); // Combine outputs llvm::Value* result = results[0]; for (int i = 1; i < table_iters; ++i) result = VXOR(result, results[i]); llvm::Type* res_type = result->getType(); llvm::Type* ret_type = DTypeToLLVMType(buffer_type); if (res_type == ret_type) { return result; } int res_bits = GetTypeSizeInBits(res_type); int ret_bits = GetTypeSizeInBits(ret_type); ICHECK_GE(res_bits, ret_bits); if (ret_bits < res_bits) { #if TVM_LLVM_VERSION >= 110 llvm::Type* res_byte_type = llvm::VectorType::get(t_int8_, res_bits / 8, /*Scalable*/ false); #else llvm::Type* res_byte_type = llvm::VectorType::get(t_int8_, res_bits / 8); #endif result = CreateVecSlice(builder_->CreateBitCast(result, res_byte_type), 0, ret_bits / 8); } if (result->getType() != ret_type) { return builder_->CreateBitCast(result, ret_type); } return result; #undef VLUT32_OR #undef VLUT32 #undef VSPLATB #undef VSHUFF #undef VXOR #undef VHI #undef VLO } namespace { DMLC_ATTRIBUTE_UNUSED std::ostream& operator<<(std::ostream& os, const llvm::Module& m) { std::string ms; llvm::raw_string_ostream sos(ms); sos << m; os << sos.str(); return os; } void ProcessLLVMOptions(const std::vector<std::string>& llvm_vec) { if (llvm_vec.empty()) return; // LLVM options. std::vector<const char*> starts; std::transform(llvm_vec.begin(), llvm_vec.end(), std::back_inserter(starts), std::mem_fn(&std::string::c_str)); const char** args = &starts.front(); llvm::cl::ParseCommandLineOptions(llvm_vec.size(), args); } } // namespace runtime::Module BuildHexagon(IRModule mod, Target target) { LLVMInstance llvm_instance; With<LLVMTarget> llvm_target(llvm_instance, target); auto split = [](const std::string& str, char delim = ' ') { std::vector<std::string> vec; std::string tmp; for (std::istringstream iss(str); std::getline(iss, tmp, delim);) { vec.push_back(tmp); } return vec; }; std::string llvm_options_str = "llvm"; if (const auto& llvm_options = target->GetAttr<Array<String>>("llvm-options")) { for (const String& s : llvm_options.value()) llvm_options_str += "," + s; } // Postprocess the LLVM options string: replace '@' with '=', and ',' with ' '. for (int i = 0, e = llvm_options_str.size(); i != e; ++i) { switch (llvm_options_str[i]) { case '@': llvm_options_str[i] = '='; break; case ',': llvm_options_str[i] = ' '; break; } } // The vector of LLVM options is treated at "argv" from "main(argc, argv)". The entry at // position 0 is the name of the executable, and is ignored by the LLVM cl::option parser. // Make sure it's set to "llvm" (tvm.target.hexagon does that). std::vector<std::string> llvm_options_vec = split(llvm_options_str); assert(llvm_options_vec.size() >= 1 && llvm_options_vec[0] == "llvm"); llvm_options_vec.insert(std::next(llvm_options_vec.begin()), {"-hexagon-small-data-threshold=0", "-force-target-max-vector-interleave=1", "-hexagon-autohvx=1"}); // Process extra command line options for LLVM. Make sure it's only // done once. static bool CallOnce = (ProcessLLVMOptions(llvm_options_vec), true); (void)CallOnce; auto cg = std::make_unique<CodeGenHexagon>(); std::vector<PrimFunc> funcs; std::string entry_func; for (auto kv : mod->functions) { if (!kv.second->IsInstance<PrimFuncNode>()) { // (@jroesch): we relax constraints here, Relay functions will just be ignored. DLOG(INFO) << "Can only lower IR Module with PrimFuncs, but got " << kv.second->GetTypeKey(); continue; } auto f = Downcast<PrimFunc>(kv.second); if (f->HasNonzeroAttr(tir::attr::kIsEntryFunc)) { auto global_symbol = f->GetAttr<String>(tvm::attr::kGlobalSymbol); ICHECK(global_symbol.defined()); entry_func = global_symbol.value(); } funcs.emplace_back(f); } cg->Init("TVMHexagonModule", llvm_target.get(), false, false, false); cg->AddFunctionsOrdered(funcs.begin(), funcs.end()); if (entry_func.length() != 0) { cg->AddMainFunction(entry_func); } // Uncomment to get the LLVM module right out of codegen, before optimizations. // std::cerr << "HexagonModule.0 {\n" << *cg->GetModulePtr() << "}\n"; std::unique_ptr<llvm::Module> module = cg->Finish(); enum CodeGenFileType { Asm, Obj, IR, BC }; auto EmitToString = [&llvm_target](const llvm::Module& m, CodeGenFileType cgft) { std::string out; if (cgft == IR || cgft == BC) { llvm::raw_string_ostream os(out); if (cgft == IR) m.print(os, nullptr); else llvm::WriteBitcodeToFile(m, os); } else if (cgft == Asm || cgft == Obj) { #if TVM_LLVM_VERSION <= 90 auto ft = cgft == Asm ? llvm::TargetMachine::CodeGenFileType::CGFT_AssemblyFile : llvm::TargetMachine::CodeGenFileType::CGFT_ObjectFile; #else auto ft = cgft == Asm ? llvm::CGFT_AssemblyFile : llvm::CGFT_ObjectFile; #endif llvm::SmallString<16384> ss; // Will grow on demand. llvm::raw_svector_ostream os(ss); std::unique_ptr<llvm::Module> cm = llvm::CloneModule(m); llvm::legacy::PassManager pass; llvm::TargetMachine* tm = llvm_target->GetOrCreateTargetMachine(); ICHECK(tm->addPassesToEmitFile(pass, os, nullptr, ft) == 0) << "Cannot emit target code"; pass.run(*cm.get()); out.assign(ss.c_str(), ss.size()); } return out; }; auto SaveToFile = [](const std::string& data, const std::string& suffix) { llvm::SmallString<64> file_name; int fd; std::error_code ec = llvm::sys::fs::createTemporaryFile("tvm", suffix, fd, file_name); ICHECK_EQ(static_cast<bool>(ec), false) << ec.message(); llvm::raw_fd_ostream file(fd, true); file << data; ICHECK(!file.has_error()) << file.error().message(); // If there is an error, execution will never get here, but return // {ec, name} anyway to allow caller to handle error conditions. // This way the "ICHECK" above can be removed with minimal effort. return std::make_pair(file.error(), std::string(file_name.c_str())); }; std::string asm_str = EmitToString(*module.get(), Asm); std::string obj_str = EmitToString(*module.get(), Obj); std::string ir_str = EmitToString(*module.get(), IR); std::string bc_str = EmitToString(*module.get(), BC); std::string o_name = SaveToFile(obj_str, "o").second; std::string so_name(o_name, 0, o_name.size() - 1); so_name += "so"; const auto* f = tvm::runtime::Registry::Get("tvm.contrib.hexagon.link_shared"); ICHECK(f != nullptr) << "tvm.contrib.hexagon.link_shared does not to exist, " "do import tvm.contrib.hexagon"; Array<PrimExpr> o_names = {StringImm(o_name)}; Map<String, String> extra_args; if (target->attrs.count("mcpu")) { std::string mcpu = Downcast<String>(target->attrs.at("mcpu")); ICHECK(llvm::StringRef(mcpu).startswith("hexagon")) << "unexpected -mcpu value in target:" << mcpu; extra_args.Set("hex_arch", llvm::StringRef(mcpu).drop_front(strlen("hexagon")).str()); } int rc = (*f)(so_name, o_names, extra_args); ICHECK(rc == 0) << "Failed to link " << so_name; return HexagonModuleCreate(so_name, "so", ExtractFuncInfo(mod), asm_str, obj_str, ir_str, bc_str); } TVM_REGISTER_GLOBAL("target.build.hexagon").set_body_typed(BuildHexagon); TVM_REGISTER_GLOBAL("tvm.codegen.llvm.target_hexagon") .set_body([](const TVMArgs& targs, TVMRetValue* rv) { *rv = static_cast<void*>(new CodeGenHexagon()); }); } // namespace codegen } // namespace tvm #endif // TVM_LLVM_VERSION
[ "noreply@github.com" ]
noreply@github.com
8ca46b7605ed19b238acb6eb7661a882e782c200
e6b96681b393ae335f2f7aa8db84acc65a3e6c8d
/atcoder.jp/abc005/abc005_2/Main.cpp
69867e2d781327e819a9c6824d565d567f13ea8c
[]
no_license
okuraofvegetable/AtCoder
a2e92f5126d5593d01c2c4d471b1a2c08b5d3a0d
dd535c3c1139ce311503e69938611f1d7311046d
refs/heads/master
2022-02-21T15:19:26.172528
2021-03-27T04:04:55
2021-03-27T04:04:55
249,614,943
0
0
null
null
null
null
UTF-8
C++
false
false
211
cpp
#include <iostream> using namespace std; #define INF 1000000000 int main() { int n; cin >> n; int ans=INF; for(int i=0;i<n;i++) { int k; cin >> k; ans=min(ans,k); } cout << ans << endl; return 0; }
[ "okuraofvegetable@gmail.com" ]
okuraofvegetable@gmail.com
c97dbe89e0bee4bd54d713f4926042188cf5f71b
e26c32a2f14a285693254a24f410a438522d4cd8
/include/variable.hpp
89aa879fa7f5b42ac70bd5bf98c0ae73981aded4
[]
no_license
miksadikov/otus-cpp-basics-hw4
f865be5d1bf322c839da18566133977be21cd6b4
95d505eaaa4452874ee00d5ce2524540fee99bd1
refs/heads/master
2023-08-28T12:06:55.082827
2021-11-09T19:26:34
2021-11-09T19:26:34
425,207,798
0
0
null
null
null
null
UTF-8
C++
false
false
176
hpp
#pragma once #include <string> #include "astnode.hpp" class Variable : public ASTNode { public: explicit Variable(const std::string& var) : ASTNode(var) {} };
[ "miksadikov@gmail.com" ]
miksadikov@gmail.com
750354248f6cddd73f20397f4e388b9229d53d9f
d6c4bf7a2a04a7ce34ca9477ca016072fc6a85c8
/src/model/truckstate.h
551d6699f17559d29096feb410498d4884b43bef
[]
no_license
U2hH9kRga5Fl0b/animated-dubstep-cplusplus
416618109e203efc6d9912b2d4fd078aad33a5d7
d429da6c46d4b30dabb922b7546debbd8b6252b7
refs/heads/master
2021-01-13T01:54:07.006807
2014-12-11T16:05:31
2014-12-11T16:05:31
null
0
0
null
null
null
null
UTF-8
C++
false
false
891
h
/* * truckstate.h * * Created on: Nov 1, 2014 * Author: thallock */ #ifndef TRUCKSTATE_H_ #define TRUCKSTATE_H_ #include "model/dumpstersize.h" #include "common.h" #define TRUCK_STATE_FULL 0x00000100 #define TRUCK_STATE_EMPTY 0x00000200 #define TRUCK_STATE_NONE 0x00000400 #define TRUCK_STATE_MASK 0x0000ff00 #define TRUCK_SIZE_MASK 0x000000ff typedef int truck_state; inline dumpster_size get_state_size(truck_state s) { return (dumpster_size) (s & TRUCK_SIZE_MASK); } inline bool state_is_full(truck_state s) { return s & TRUCK_STATE_FULL; } inline bool state_is_empty(truck_state s) { return s & TRUCK_STATE_EMPTY; } inline bool state_has_no_dumpster(truck_state s) { return s & TRUCK_STATE_NONE; } inline truck_state get_state(truck_state st, dumpster_size si) { return st | si; } std::string get_truck_state_desc(truck_state state); #endif /* TRUCKSTATE_H_ */
[ "dont@email.me" ]
dont@email.me
fac4620714101cce6688aeeb6be8d2abbc3a481f
a599bf7147e472e0d2928773c3e3663bcb70ece6
/lib/Basics/RandomHeap.h
1e281d5e6811c2d57d54da508bdc5a5d30ba48d0
[ "Apache-2.0" ]
permissive
sogko/ArangoDB
abb9803518aef63d0bd13510a04a9736523e3c5e
c4322a5bc696e2be1a3e1e754ed8cbff5f8d7806
refs/heads/master
2021-01-24T17:08:37.353155
2014-07-12T22:32:26
2014-07-12T22:32:26
null
0
0
null
null
null
null
UTF-8
C++
false
false
12,010
h
//////////////////////////////////////////////////////////////////////////////// /// @brief random heap /// /// @file /// This structure allows only conventional access to a heap (which is /// by means of removing the head element). To use it, you must derive /// from it and implement function "static K key(const T&)", to implement /// random access you must derive from it and overload /// "location"/"setLocation" accessor and implement function /// "static K& key(T&)". /// /// DISCLAIMER /// /// Copyright 2004-2013 triAGENS GmbH, Cologne, Germany /// /// 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. /// /// Copyright holder is triAGENS GmbH, Cologne, Germany /// /// @author Richard Bruch /// @author Copyright 2010-2013, triAGENS GmbH, Cologne, Germany //////////////////////////////////////////////////////////////////////////////// #ifndef TRIAGENS_BASICS_RANDOM_HEAP_H #define TRIAGENS_BASICS_RANDOM_HEAP_H 1 #include "Basics/Common.h" #include "Basics/Exceptions.h" namespace triagens { namespace basics { // ----------------------------------------------------------------------------- // --SECTION-- struct HeapTraitsBase // ----------------------------------------------------------------------------- //////////////////////////////////////////////////////////////////////////////// /// @addtogroup Utilities /// @{ //////////////////////////////////////////////////////////////////////////////// //////////////////////////////////////////////////////////////////////////////// /// @brief random heap traits //////////////////////////////////////////////////////////////////////////////// template <typename T, typename K = T, typename Compare = std::less<K> > struct HeapTraitsBase { typedef K KeyType; bool operator() (const K& f, const K& s) const { return _compare(f, s); } static void setLocation (T&, size_t) {/* do nothing */ } // we only access head of queue static size_t location (const T& item) { return 1; } Compare _compare; }; //////////////////////////////////////////////////////////////////////////////// /// @} //////////////////////////////////////////////////////////////////////////////// // ----------------------------------------------------------------------------- // --SECTION-- struct RandomHeap // ----------------------------------------------------------------------------- //////////////////////////////////////////////////////////////////////////////// /// @addtogroup Utilities /// @{ //////////////////////////////////////////////////////////////////////////////// //////////////////////////////////////////////////////////////////////////////// /// @brief random heap //////////////////////////////////////////////////////////////////////////////// template <typename T, typename TRAITS = HeapTraitsBase<T> > struct RandomHeap { typedef TRAITS TraitsType; typedef typename TraitsType::KeyType K; //////////////////////////////////////////////////////////////////////////////// /// @} //////////////////////////////////////////////////////////////////////////////// // ----------------------------------------------------------------------------- // --SECTION-- constructors and destructors // ----------------------------------------------------------------------------- //////////////////////////////////////////////////////////////////////////////// /// @addtogroup Utilities /// @{ //////////////////////////////////////////////////////////////////////////////// //////////////////////////////////////////////////////////////////////////////// /// @brief constructor //////////////////////////////////////////////////////////////////////////////// RandomHeap () : _bufferLen(0), _traits() { _queue = new T[1]; _queueLen = _bufferLen = 1; } //////////////////////////////////////////////////////////////////////////////// /// @} //////////////////////////////////////////////////////////////////////////////// // ----------------------------------------------------------------------------- // --SECTION-- public methods // ----------------------------------------------------------------------------- //////////////////////////////////////////////////////////////////////////////// /// @addtogroup Utilities /// @{ //////////////////////////////////////////////////////////////////////////////// //////////////////////////////////////////////////////////////////////////////// /// @brief referesh /// // TODO find a better name for semantics of 'preserve' //////////////////////////////////////////////////////////////////////////////// bool refresh (T& item, const K& key, bool & preserve) { bool changed = false, inside = TraitsType::location(item); if (_queueLen > 1 && item == _queue[1]) { changed = true; } if (inside) { remove(item); } TraitsType::key(item) = key; if (preserve) { insert(item); } if (_queueLen > 1 && item == _queue[1]) { changed = true; } preserve = inside; return changed; } //////////////////////////////////////////////////////////////////////////////// /// @brief compare //////////////////////////////////////////////////////////////////////////////// bool operator() (T& f, T& s) const { return _traits(TraitsType::key(f), TraitsType::key(s)); } //////////////////////////////////////////////////////////////////////////////// /// @brief head //////////////////////////////////////////////////////////////////////////////// T& head () { if (_queueLen == 1) { THROW_INTERNAL_ERROR("head has size 1"); } return _queue[1]; } //////////////////////////////////////////////////////////////////////////////// /// @brief remove //////////////////////////////////////////////////////////////////////////////// void remove (T& item) { size_t i = TraitsType::location(item); assert(i < _queueLen); assert(!(*this)(_queue[i], item) && !(*this)(item, _queue[i])); TraitsType::setLocation(item, 0); T* iptr = _queue + i, *tail = _queue + --_queueLen; while ((i <<= 1) < _queueLen) { // select the smaller child of iptr and move it upheap T* pptr = _queue + i; if (i < _queueLen && (*this)(*(pptr + 1), *pptr)) { pptr++, i++; } *iptr = *pptr; TraitsType::setLocation(*iptr, iptr - _queue); iptr = pptr; } if (tail != iptr) { adjust(*tail, iptr - _queue); } *tail = T(); } //////////////////////////////////////////////////////////////////////////////// /// @brief insert //////////////////////////////////////////////////////////////////////////////// void insert (T& item) { if (_bufferLen == _queueLen) { // no place for the new element // we use the simple doubling which should be OK in this case T* queue = new T[_bufferLen <<= 1];for(size_t i = 1; i < _queueLen; i ++) queue[i] = _queue[i]; delete [] _queue; _queue = queue; } adjust(item, _queueLen ++); } //////////////////////////////////////////////////////////////////////////////// /// @brief adjust //////////////////////////////////////////////////////////////////////////////// void adjust(T& item, int i) { T *iptr = _queue + i; while(i > 1) { T* pptr = _queue + (i >>= 1); if ((*this)(*pptr, item)) { break; } *iptr = *pptr; TraitsType::setLocation(*iptr, iptr - _queue); iptr = pptr; } *iptr = item; TraitsType::setLocation(item, iptr - _queue); } //////////////////////////////////////////////////////////////////////////////// /// @brief validate //////////////////////////////////////////////////////////////////////////////// void validate () { for(size_t i = 1; i < _queueLen; i ++) { T child = _queue[i], *former = this->former(child); if (!former) { continue; } if ((*this)(child, former)) { assert(false); THROW_INTERNAL_ERROR("cannot validate random head"); } } } //////////////////////////////////////////////////////////////////////////////// /// @brief former //////////////////////////////////////////////////////////////////////////////// T former (T wt) { size_t index = TraitsType::location(wt); if (index > 1) { return _queue[index >> 1]; } return 0; } //////////////////////////////////////////////////////////////////////////////// /// @brief empty //////////////////////////////////////////////////////////////////////////////// bool empty () { return _queueLen == 1; } //////////////////////////////////////////////////////////////////////////////// /// @brief size //////////////////////////////////////////////////////////////////////////////// size_t size () { return _queueLen - 1; } //////////////////////////////////////////////////////////////////////////////// /// @} //////////////////////////////////////////////////////////////////////////////// // ----------------------------------------------------------------------------- // --SECTION-- private variables // ----------------------------------------------------------------------------- //////////////////////////////////////////////////////////////////////////////// /// @addtogroup Utilities /// @{ //////////////////////////////////////////////////////////////////////////////// private: //////////////////////////////////////////////////////////////////////////////// /// @brief queue //////////////////////////////////////////////////////////////////////////////// T* _queue; //////////////////////////////////////////////////////////////////////////////// /// @brief buffer length //////////////////////////////////////////////////////////////////////////////// size_t _bufferLen; //////////////////////////////////////////////////////////////////////////////// /// @brief queue length //////////////////////////////////////////////////////////////////////////////// size_t _queueLen; //////////////////////////////////////////////////////////////////////////////// /// @brief traits //////////////////////////////////////////////////////////////////////////////// TraitsType _traits; }; } } //////////////////////////////////////////////////////////////////////////////// /// @} //////////////////////////////////////////////////////////////////////////////// #endif // Local Variables: // mode: outline-minor // outline-regexp: "/// @brief\\|/// {@inheritDoc}\\|/// @addtogroup\\|/// @page\\|// --SECTION--\\|/// @\\}" // End:
[ "f.celler@triagens.de" ]
f.celler@triagens.de
045857afc3b8f31bb25150e9fdb4331c55f15146
4ff93a49636994f488d46a0cef1cc3919806540e
/xdetours/dllmain.cpp
f7752b670d2cf744bad4936c31228194fb1f6dc0
[ "MIT" ]
permissive
929496959/cerberus
cee86f7a98fd1c3af6596b67e26f471938820768
0023dba54a27e6f87acb9dfec9b5fcda0e611bbf
refs/heads/master
2023-07-01T06:14:33.658883
2020-07-10T19:49:00
2020-07-10T19:49:00
null
0
0
null
null
null
null
GB18030
C++
false
false
551
cpp
// dllmain.cpp : 定义 DLL 应用程序的入口点。 #include "stdafx.h" extern BOOL xDetoursInit(HMODULE hModule); extern VOID xDetoursRelease(); BOOL APIENTRY DllMain( HMODULE hModule, DWORD ul_reason_for_call, LPVOID lpReserved ) { switch (ul_reason_for_call) { case DLL_THREAD_ATTACH: case DLL_PROCESS_ATTACH: #if defined(_DEBUG) __asm int 3; #endif if (xDetoursInit(hModule) == FALSE) return FALSE; break; case DLL_THREAD_DETACH: case DLL_PROCESS_DETACH: xDetoursRelease(); break; } return TRUE; }
[ "53790405+gA4ss@users.noreply.github.com" ]
53790405+gA4ss@users.noreply.github.com
91e53d15c3fa19a751fe54d3a979344e5a3b92b7
5a2349399fa9d57c6e8cc6e0f7226d683391a362
/src/qt/qtbase/src/plugins/platforms/directfb/qdirectfbbackingstore.h
f311ffbf64745138974aad35a148da1fcaeed200
[ "LGPL-2.1-only", "GPL-3.0-only", "LicenseRef-scancode-digia-qt-commercial", "Qt-LGPL-exception-1.1", "LicenseRef-scancode-digia-qt-preview", "LGPL-2.0-or-later", "GFDL-1.3-only", "BSD-3-Clause" ]
permissive
aharthcock/phantomjs
e70f3c379dcada720ec8abde3f7c09a24808154c
7d7f2c862347fbc7215c849e790290b2e07bab7c
refs/heads/master
2023-03-18T04:58:32.428562
2023-03-14T05:52:52
2023-03-14T05:52:52
24,828,890
0
0
BSD-3-Clause
2023-03-14T05:52:53
2014-10-05T23:38:56
C++
UTF-8
C++
false
false
2,738
h
/**************************************************************************** ** ** Copyright (C) 2013 Digia Plc and/or its subsidiary(-ies). ** Contact: http://www.qt-project.org/legal ** ** This file is part of the plugins of the Qt Toolkit. ** ** $QT_BEGIN_LICENSE:LGPL$ ** Commercial License Usage ** Licensees holding valid commercial Qt licenses may use this file in ** accordance with the commercial license agreement provided with the ** Software or, alternatively, in accordance with the terms contained in ** a written agreement between you and Digia. For licensing terms and ** conditions see http://qt.digia.com/licensing. For further information ** use the contact form at http://qt.digia.com/contact-us. ** ** GNU Lesser General Public License Usage ** Alternatively, this file may be used under the terms of the GNU Lesser ** General Public License version 2.1 as published by the Free Software ** Foundation and appearing in the file LICENSE.LGPL included in the ** packaging of this file. Please review the following information to ** ensure the GNU Lesser General Public License version 2.1 requirements ** will be met: http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html. ** ** In addition, as a special exception, Digia gives you certain additional ** rights. These rights are described in the Digia Qt LGPL Exception ** version 1.1, included in the file LGPL_EXCEPTION.txt in this package. ** ** GNU General Public License Usage ** Alternatively, this file may be used under the terms of the GNU ** General Public License version 3.0 as published by the Free Software ** Foundation and appearing in the file LICENSE.GPL included in the ** packaging of this file. Please review the following information to ** ensure the GNU General Public License version 3.0 requirements will be ** met: http://www.gnu.org/copyleft/gpl.html. ** ** ** $QT_END_LICENSE$ ** ****************************************************************************/ #ifndef QWINDOWSURFACE_DIRECTFB_H #define QWINDOWSURFACE_DIRECTFB_H #include <qpa/qplatformbackingstore.h> #include <private/qpixmap_blitter_p.h> #include <directfb.h> #include "qdirectfbconvenience.h" QT_BEGIN_NAMESPACE class QDirectFbBackingStore : public QPlatformBackingStore { public: QDirectFbBackingStore(QWindow *window); QPaintDevice *paintDevice(); void flush(QWindow *window, const QRegion &region, const QPoint &offset); void resize (const QSize &size, const QRegion &staticContents); bool scroll(const QRegion &area, int dx, int dy); private: void lockSurfaceToImage(); QScopedPointer<QPixmap> m_pixmap; QBlittablePlatformPixmap *m_pmdata; QDirectFBPointer<IDirectFBSurface> m_dfbSurface; }; QT_END_NAMESPACE #endif
[ "ariya.hidayat@gmail.com" ]
ariya.hidayat@gmail.com
5d303d791297b6f254bb6a674bd92ab3cb3b7bc5
99f71461b74c982bf381d62f1610af3f7c84137b
/Lista8/CTable.cpp
fd1ba8ae66d90eb37a4cfe89e06e0591a17674b8
[]
no_license
JWojcieszonek/TEP-Lista8
50d91e28d7fa9547e432164839109bd756b820ba
b10117e2a32d014ffb1c3a2e3fa18caf174ee1ec
refs/heads/master
2020-12-29T05:41:12.921059
2020-02-05T14:56:44
2020-02-05T14:56:44
238,475,962
0
0
null
null
null
null
UTF-8
C++
false
false
3,266
cpp
#include "CTable.h" #include <iostream> #include <ctype.h> using namespace std; const string CTable::DEFAULT_NAME="Name"; const int CTable::DEFAULT_TABLE_SIZE = 5; const int CTable::MAX_TABLE_SIZE = 10000; CTable::CTable() { s_name = DEFAULT_NAME; cout << "bezp: " << s_name << endl; i_table_size = DEFAULT_TABLE_SIZE; pi_table = new int[i_table_size]; for (int ii = 0; ii < i_table_size; ii++) { pi_table[ii] = 0; } } CTable::CTable(string sName, int iTableLen) { s_name = sName; cout << "parametr: " << s_name << endl; if (iTableLen > 0 && iTableLen < MAX_TABLE_SIZE) i_table_size = iTableLen; else i_table_size = DEFAULT_TABLE_SIZE; pi_table = new int[i_table_size]; for (int ii = 0; ii < i_table_size; ii++) { pi_table[ii] = 0; } } CTable::CTable(const CTable &pcOther) { s_name = pcOther.s_name + "_copy"; cout << "kopiuj: " << s_name << endl; v_copy(pcOther); } CTable::CTable(CTable && cOther) { pi_table = cOther.pi_table; i_table_size = cOther.i_table_size; s_name = cOther.s_name; cOther.pi_table = NULL; cOther.i_table_size = 0; std::cout << "MOVE" << endl; } CTable::~CTable() { if(pi_table!=NULL) { cout << "usuwam: " << s_name << endl; delete[] pi_table; } } CTable CTable::operator=(const CTable & cOther) { if (pi_table != NULL) delete pi_table; v_copy(cOther); std::cout << "op=" << endl; return *this; } CTable& CTable::operator=(CTable && cOther) { if (this != &cOther) { if (pi_table != NULL) delete pi_table; pi_table = cOther.pi_table; i_table_size = cOther.i_table_size; s_name = cOther.s_name; cOther.pi_table = NULL; cOther.i_table_size = 0; std::cout << "MOVE" << endl; } return *this; } CTable& CTable::operator+(CTable && cOther) { int old_size= i_table_size; bSetNewSize(i_table_size + cOther.i_table_size); for (int ii=old_size; ii < i_table_size; ii++) { pi_table[ii] = cOther.pi_table[ii - old_size]; } cOther.pi_table = NULL; cOther.i_table_size = 0; return *this; } void CTable::vSetName(string sName) { s_name = sName; } bool CTable::bSetNewSize(int iTableLen) { if (iTableLen <= 0 || iTableLen > MAX_TABLE_SIZE) return(false); int *pt_new_table; pt_new_table = new int[iTableLen]; if (pi_table != NULL) { int i_min_len; if (iTableLen < i_table_size) i_min_len = iTableLen; else i_min_len = i_table_size; for (int ii = 0; ii < i_min_len; ii++) pt_new_table[ii] = pi_table[ii]; delete[] pi_table; } pi_table = pt_new_table; i_table_size = iTableLen; return(true); } void CTable::vPrint() { if (pi_table != NULL) { for (int ii = 0; ii < i_table_size; ii++) { cout << pi_table[ii]<<endl; } } } void CTable::v_copy(const CTable & cOther) { pi_table = new int[cOther.i_table_size]; i_table_size = cOther.i_table_size; s_name = cOther.s_name; for (int ii = 0; ii < cOther.i_table_size; ii++) { pi_table[ii] = cOther.pi_table[ii]; } } CTable * CTable::pcClone() { return new CTable(this->s_name,this->i_table_size); } void CTable::v_mod_tab(CTable *pcTab, int iNewSize) { if(iNewSize>0 && iNewSize< MAX_TABLE_SIZE) pcTab->bSetNewSize(iNewSize); } void CTable:: v_mod_tab(CTable cTab, int iNewSize) { if (iNewSize > 0 && iNewSize < MAX_TABLE_SIZE) cTab.bSetNewSize(iNewSize); }
[ "jakub.wojcieszonek@gmail.com" ]
jakub.wojcieszonek@gmail.com
b1f7b3d81f5057a4507c3f1bdb22fe3be212c54e
583b711817dd9823612d70287f6458a3a74d7ddf
/Mathe.h
d3f3f7b8b7f1a5afb4af4724d420ee7d5df8e409
[]
no_license
Tobi2048/build
35dadb168b36cf84e2676cb16eeaac91299f83f6
df6b8ada94f7fb79358343860a138d4115aa908e
refs/heads/master
2022-12-09T09:30:03.796709
2020-06-29T13:59:48
2020-06-29T13:59:48
274,632,795
1
0
null
2020-07-10T13:24:14
2020-06-24T09:47:41
C++
UTF-8
C++
false
false
368
h
#pragma once #include <string> #include<algorithm>//min max #include<vector> //vector #include <numeric> //mittelwert #include <iostream> #include<fstream> #include <pcl/point_types.h> #include <pcl/point_cloud.h> #include <pcl/io/pcd_io.h> int min_max(pcl::PointCloud<pcl::PointXYZ>::Ptr cl_in, std::string anw, std::string var = " h", std::string achse = " h");
[ "64415000+Tobi2048@users.noreply.github.com" ]
64415000+Tobi2048@users.noreply.github.com
7a5b1bc905f9af6acf1b7997e2a6bd98e14234db
349fe789ab1e4e46aae6812cf60ada9423c0b632
/Forms/HLP_SprNaborInfBlock/UHLP_FormaSpiskaSprNaborInfBlockCF.h
7fe71bb075dac0d64298ad80ce926d9149197a58
[]
no_license
presscad/ERP
a6acdaeb97b3a53f776677c3a585ca860d4de980
18ecc6c8664ed7fc3f01397d587cce91fc3ac78b
refs/heads/master
2020-08-22T05:24:15.449666
2019-07-12T12:59:13
2019-07-12T12:59:13
216,326,440
1
0
null
2019-10-20T07:52:26
2019-10-20T07:52:26
null
UTF-8
C++
false
false
1,266
h
#ifndef UHLP_FormaSpiskaSprNaborInfBlockCFH #define UHLP_FormaSpiskaSprNaborInfBlockCFH #include "GlobalInterface.h" //--------------------------------------------------------------- class THLP_FormaSpiskaSprNaborInfBlockCF : public IkanClassFactory { public: THLP_FormaSpiskaSprNaborInfBlockCF(); ~THLP_FormaSpiskaSprNaborInfBlockCF(); int NumRefs; virtual int kanQueryInterface(REFIID id_interface, void ** ppv); virtual int kanAddRef(void); virtual int kanRelease(void); virtual int kanCreateInstance(REFIID id_interface, void ** ppv); }; //--------------------------------------------------------------- #endif
[ "sasha@kaserv.ru" ]
sasha@kaserv.ru
2096b594b535f1164f03343963bfdf10770485ca
7b5e2721f72e21248719e5dcf7e3b58264dfe624
/src/wm/x/server.hpp
27ef18d8295e9c9518041b22b6fa737fb744d4ff
[ "MIT" ]
permissive
Link1J/Awning
1503de077842e6f15f1ed1bbc845b731e6495318
4e35e092725d1688ac94f8473fb6bffd99a5cfa0
refs/heads/master
2020-12-23T01:57:41.117300
2020-12-18T20:16:23
2020-12-18T20:16:23
236,996,290
0
0
null
null
null
null
UTF-8
C++
false
false
153
hpp
#pragma once #include <X11/X.h> #include <X11/Xlib.h> namespace Awning::X::Server { extern int x_fd[2], wl_fd[2], wm_fd[2], display; void Setup(); }
[ "jrairwin@sympatico.ca" ]
jrairwin@sympatico.ca
2b5ef67e8dc7a8d5f0e3b048349b5ac4dfacb6fc
8dc84558f0058d90dfc4955e905dab1b22d12c08
/net/third_party/quiche/src/quic/tools/quic_client_epoll_network_helper.cc
117521111f574124fca244fb6daf8cff4246eb32
[ "LicenseRef-scancode-unknown-license-reference", "BSD-3-Clause" ]
permissive
meniossin/src
42a95cc6c4a9c71d43d62bc4311224ca1fd61e03
44f73f7e76119e5ab415d4593ac66485e65d700a
refs/heads/master
2022-12-16T20:17:03.747113
2020-09-03T10:43:12
2020-09-03T10:43:12
263,710,168
1
0
BSD-3-Clause
2020-05-13T18:20:09
2020-05-13T18:20:08
null
UTF-8
C++
false
false
6,950
cc
// Copyright (c) 2012 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "net/third_party/quiche/src/quic/tools/quic_client_epoll_network_helper.h" #include <errno.h> #include <netinet/in.h> #include <string.h> #include <sys/epoll.h> #include <sys/socket.h> #include <unistd.h> #include "net/third_party/quiche/src/quic/core/crypto/quic_random.h" #include "net/third_party/quiche/src/quic/core/http/spdy_utils.h" #include "net/third_party/quiche/src/quic/core/quic_connection.h" #include "net/third_party/quiche/src/quic/core/quic_data_reader.h" #include "net/third_party/quiche/src/quic/core/quic_epoll_alarm_factory.h" #include "net/third_party/quiche/src/quic/core/quic_epoll_connection_helper.h" #include "net/third_party/quiche/src/quic/core/quic_packets.h" #include "net/third_party/quiche/src/quic/core/quic_server_id.h" #include "net/third_party/quiche/src/quic/platform/api/quic_bug_tracker.h" #include "net/third_party/quiche/src/quic/platform/api/quic_logging.h" #include "net/third_party/quiche/src/quic/platform/api/quic_ptr_util.h" #include "net/third_party/quiche/src/quic/platform/api/quic_system_event_loop.h" #include "net/quic/platform/impl/quic_socket_utils.h" #ifndef SO_RXQ_OVFL #define SO_RXQ_OVFL 40 #endif namespace quic { namespace { const int kEpollFlags = EPOLLIN | EPOLLOUT | EPOLLET; } // namespace QuicClientEpollNetworkHelper::QuicClientEpollNetworkHelper( QuicEpollServer* epoll_server, QuicClientBase* client) : epoll_server_(epoll_server), packets_dropped_(0), overflow_supported_(false), packet_reader_(new QuicPacketReader()), client_(client), max_reads_per_epoll_loop_(std::numeric_limits<int>::max()) {} QuicClientEpollNetworkHelper::~QuicClientEpollNetworkHelper() { if (client_->connected()) { client_->session()->connection()->CloseConnection( QUIC_PEER_GOING_AWAY, "Client being torn down", ConnectionCloseBehavior::SEND_CONNECTION_CLOSE_PACKET); } CleanUpAllUDPSockets(); } std::string QuicClientEpollNetworkHelper::Name() const { return "QuicClientEpollNetworkHelper"; } bool QuicClientEpollNetworkHelper::CreateUDPSocketAndBind( QuicSocketAddress server_address, QuicIpAddress bind_to_address, int bind_to_port) { epoll_server_->set_timeout_in_us(50 * 1000); int fd = CreateUDPSocket(server_address, &overflow_supported_); if (fd < 0) { return false; } QuicSocketAddress client_address; if (bind_to_address.IsInitialized()) { client_address = QuicSocketAddress(bind_to_address, client_->local_port()); } else if (server_address.host().address_family() == IpAddressFamily::IP_V4) { client_address = QuicSocketAddress(QuicIpAddress::Any4(), bind_to_port); } else { client_address = QuicSocketAddress(QuicIpAddress::Any6(), bind_to_port); } sockaddr_storage addr = client_address.generic_address(); int rc = bind(fd, reinterpret_cast<sockaddr*>(&addr), sizeof(addr)); if (rc < 0) { QUIC_LOG(ERROR) << "Bind failed: " << strerror(errno); return false; } if (client_address.FromSocket(fd) != 0) { QUIC_LOG(ERROR) << "Unable to get self address. Error: " << strerror(errno); } fd_address_map_[fd] = client_address; epoll_server_->RegisterFD(fd, this, kEpollFlags); return true; } void QuicClientEpollNetworkHelper::CleanUpUDPSocket(int fd) { CleanUpUDPSocketImpl(fd); fd_address_map_.erase(fd); } void QuicClientEpollNetworkHelper::CleanUpAllUDPSockets() { for (std::pair<int, QuicSocketAddress> fd_address : fd_address_map_) { CleanUpUDPSocketImpl(fd_address.first); } fd_address_map_.clear(); } void QuicClientEpollNetworkHelper::CleanUpUDPSocketImpl(int fd) { if (fd > -1) { epoll_server_->UnregisterFD(fd); int rc = close(fd); DCHECK_EQ(0, rc); } } void QuicClientEpollNetworkHelper::RunEventLoop() { QuicRunSystemEventLoopIteration(); epoll_server_->WaitForEventsAndExecuteCallbacks(); } void QuicClientEpollNetworkHelper::OnRegistration(QuicEpollServer* eps, int fd, int event_mask) {} void QuicClientEpollNetworkHelper::OnModification(int fd, int event_mask) {} void QuicClientEpollNetworkHelper::OnUnregistration(int fd, bool replaced) {} void QuicClientEpollNetworkHelper::OnShutdown(QuicEpollServer* eps, int fd) {} void QuicClientEpollNetworkHelper::OnEvent(int fd, QuicEpollEvent* event) { DCHECK_EQ(fd, GetLatestFD()); if (event->in_events & EPOLLIN) { QUIC_DVLOG(1) << "Read packets on EPOLLIN"; int times_to_read = max_reads_per_epoll_loop_; bool more_to_read = true; QuicPacketCount packets_dropped = 0; while (client_->connected() && more_to_read && times_to_read > 0) { more_to_read = packet_reader_->ReadAndDispatchPackets( GetLatestFD(), GetLatestClientAddress().port(), *client_->helper()->GetClock(), this, overflow_supported_ ? &packets_dropped : nullptr); --times_to_read; } if (packets_dropped_ < packets_dropped) { QUIC_LOG(ERROR) << packets_dropped - packets_dropped_ << " more packets are dropped in the socket receive buffer."; packets_dropped_ = packets_dropped; } if (client_->connected() && more_to_read) { event->out_ready_mask |= EPOLLIN; } } if (client_->connected() && (event->in_events & EPOLLOUT)) { client_->writer()->SetWritable(); client_->session()->connection()->OnCanWrite(); } if (event->in_events & EPOLLERR) { QUIC_DLOG(INFO) << "Epollerr"; } } QuicPacketWriter* QuicClientEpollNetworkHelper::CreateQuicPacketWriter() { return new QuicDefaultPacketWriter(GetLatestFD()); } void QuicClientEpollNetworkHelper::SetClientPort(int port) { fd_address_map_.back().second = QuicSocketAddress(GetLatestClientAddress().host(), port); } QuicSocketAddress QuicClientEpollNetworkHelper::GetLatestClientAddress() const { if (fd_address_map_.empty()) { return QuicSocketAddress(); } return fd_address_map_.back().second; } int QuicClientEpollNetworkHelper::GetLatestFD() const { if (fd_address_map_.empty()) { return -1; } return fd_address_map_.back().first; } void QuicClientEpollNetworkHelper::ProcessPacket( const QuicSocketAddress& self_address, const QuicSocketAddress& peer_address, const QuicReceivedPacket& packet) { client_->session()->ProcessUdpPacket(self_address, peer_address, packet); } int QuicClientEpollNetworkHelper::CreateUDPSocket( QuicSocketAddress server_address, bool* overflow_supported) { return QuicSocketUtils::CreateUDPSocket( server_address, /*receive_buffer_size =*/kDefaultSocketReceiveBuffer, /*send_buffer_size =*/kDefaultSocketReceiveBuffer, overflow_supported); } } // namespace quic
[ "arnaud@geometry.ee" ]
arnaud@geometry.ee
a069919c53a4523c1a97415b4b5d1dc6c96c8dc4
5f2da0e1a415b3dab841edeb2a7904fea547a14a
/include/Xenon/Math/RawVec2UniformSource.h
9cc37d8edd97f1d1b5e7b3ef50da1d8dcbf4e154
[ "MIT" ]
permissive
OutOfTheVoid/ProjectRed
da608fa17208a710916565afa782016f15cfad64
801327283f5a302be130c90d593b39957c84cce5
refs/heads/master
2020-05-21T19:52:38.807725
2017-06-24T07:21:11
2017-06-24T07:21:11
63,619,563
1
0
null
null
null
null
UTF-8
C++
false
false
772
h
#ifndef XENON_MATH_RAWVEC2UNIFORMSOURCE_H #define XENON_MATH_RAWVEC2UNIFORMSOURCE_H #include <Xenon/Xenon.h> #include <Xenon/Math/Math.h> #include <Xenon/Math/Vec2.h> #include <Xenon/GPU/GLInclude.h> #include <Xenon/GPU/IFloatVec2UniformSource.h> #include <Red/Util/RefCounted.h> namespace Xenon { namespace Math { class RawVec2UniformSource : public GPU :: IFloatVec2UniformSource, public Red::Util :: RefCounted { public: RawVec2UniformSource ( const Vec2 * Source ); ~RawVec2UniformSource (); void SetSource ( const Vec2 * Source ); void SetDirty (); const GLfloat * GetFloatVector () const; int64_t GetIteration () const; private: const Vec2 * Source; int64_t Iteration; }; } } #endif
[ "liam.tab@gmail.com" ]
liam.tab@gmail.com
d1983951f064c3521dd6ba783459ed2cae8d0a69
8df8c17f0592be506a301bd70227d1a8f133c5a7
/Window.h
3984f4736771087678f99baadb5258039beccd84
[ "MIT" ]
permissive
southdy/tetris
0630de4faa09548056ced39baa2691731557d291
38125c81e17cf7bfcd42fe7840cf46f60628c31c
refs/heads/master
2021-06-12T02:09:50.800617
2017-02-10T05:15:44
2017-02-10T06:42:46
null
0
0
null
null
null
null
UTF-8
C++
false
false
863
h
#ifndef CWindow_H_ #define CWindow_H_ class CWindow { public: static CWindow* getInstance() { return &s_wnd; } CWindow(); ~CWindow(); HWND getHWND() const { return m_hWnd; } HINSTANCE getHinstance() const { return m_hInstance; } void setWinSize(long lWidth, long lHeight) { m_lWidth = lWidth; m_lHeight = lHeight; } long getWinWidth() const { return m_lWidth; } long getWinHeight() const { return m_lHeight; } RECT getWinRect() const { return m_winRect; } void onInit(); void showWindow(); inline void HideCursor(bool bHide) { if (bHide) while (::ShowCursor(false) >= 0); else while (::ShowCursor(true) < 0); } private: static CWindow s_wnd; private: HWND m_hWnd; HINSTANCE m_hInstance; WNDCLASS m_wc; long m_lWidth, m_lHeight; RECT m_winRect; }; LRESULT CALLBACK WndProc(HWND hWnd, UINT uMsg, WPARAM wParam, LPARAM lParam); #endif
[ "inheritorofgalaxy@gmail.com" ]
inheritorofgalaxy@gmail.com
c3bea0ac3d90da2a1ce9c36cacd715fa120ea73b
2ee540793f0a390d3f418986aa7e124083760535
/Online Judges/Codeforces/Round 762 (Div 3)/c.cpp
a1c4c66b535595ed8303af18b21c058f8acc3b8c
[]
no_license
dickynovanto1103/CP
6323d27c3aed4ffa638939f26f257530993401b7
f1e5606904f22bb556b1d4dda4e574b409abc17c
refs/heads/master
2023-08-18T10:06:45.241453
2023-08-06T23:58:54
2023-08-06T23:58:54
97,298,343
0
0
null
null
null
null
UTF-8
C++
false
false
1,170
cpp
#include <bits/stdc++.h> using namespace std; #define inf 1000000000 #define unvisited -1 #define visited 1 #define eps 1e-9 #define mp make_pair #define pb push_back #define pi acos(-1.0) #define uint64 unsigned long long #define FastSlowInput ios_base::sync_with_stdio(false); cin.tie(NULL); cout.tie(NULL); #define debug if(true) typedef long long ll; // typedef __int128_t lll; typedef vector<int> vi; typedef pair<int,int> ii; typedef vector<ii> vii; int main(){ int tc,i,j; ll a, s; scanf("%d",&tc); while(tc--){ scanf("%lld %lld",&a,&s); ll b = 0; ll kali = 1; bool valid = true; while(s) { // printf("s: %lld\n", s); int lastA = a%10; int lastS = s%10; // printf("a: %lld s: %lld b: %lld\n", a, s, b); if(lastA > lastS) {//berarti perlu bagi lagi s /= 10; int lastSAgain = s % 10; if(lastSAgain != 1){ valid = false; b = -1; break; } int angka = 10 + lastS; int selisih = angka - lastA; b += kali * selisih; }else{ int selisih = lastS - lastA; b += kali * selisih; } a /= 10; s /= 10; kali *= 10; } if(a != 0){b = -1;} printf("%lld\n", b); } return 0; };
[ "dickynovanto1103@gmail.com" ]
dickynovanto1103@gmail.com
843e2a18365a83c6d63d3cade08fbeb6ce9149e5
2aa0d6a3a0682b63592a5b007769a65ca7b42949
/Drive/Implementación, Adhoc, Greedy, Estructuras de Datos/inca-mancora.cpp
c1ba4fa0b207111f9a733cfaac585aa7df0c0477
[]
no_license
mramirez7/CompetitiveProgramming
9c3a32456562aa399628a49198f72144c1717af3
5f6e764e3f51b73e5ee35c1c1e653e8c25b3f1da
refs/heads/master
2020-12-22T12:31:34.734878
2020-04-01T20:04:24
2020-04-01T20:04:24
236,780,969
0
0
null
null
null
null
UTF-8
C++
false
false
884
cpp
//ACCEPTED //TAG: DIFFERENCE ARRAY #include <bits/stdc++.h> using namespace std; vector <int> friends; int n; int coord_transform(int i, int j){ return (n*(j-i-1)-((j-i-1)*(j-i))/2 + i); } int main(){ int m, q, f1, f2, k, pos; cin >> n >> m >> q; friends.assign((n*(n-1))/2+1, 0); for (int i = 0; i < m; ++i) { cin >> k >> f1 >> f2; f1--; f2--; pos = coord_transform(f1,f2); friends[pos] += 1; friends[pos+k] -= 1; } for (int l = 1; l < friends.size(); ++l) { friends[l] += friends[l-1]; } for (int j = 0; j < q; ++j) { cin >> f1 >> f2; f1--; f2--; if (f1 > f2) swap(f1,f2); pos = coord_transform(f1,f2); if (friends[pos] % 2){ cout << "SI\n"; }else{ cout << "NO\n"; } } }
[ "mramirez7@uc.cl" ]
mramirez7@uc.cl
d720eaed959ff1fb0eea021340ba0271c41ba75c
5be4cb8bee38cc612ba468e5d41dccaa18c9021e
/src/register_test.cxx
53a5db88a3dc08c6d19042f2a7850c56a1f2bc7c
[]
no_license
CarloWood/ai-utils-testsuite
78c542a95917cb23357c2b75a635434a8c84d148
e35e19bc0508ad3b9c7b25e09452e0f34cc1b9bc
refs/heads/master
2023-06-08T08:46:37.919564
2023-05-31T15:41:48
2023-05-31T15:41:48
77,099,412
0
0
null
null
null
null
UTF-8
C++
false
false
805
cxx
#include "sys.h" #include "utils/Register.h" #include "debug.h" struct A { int n; }; struct B { int n; }; static constexpr A a1 = { 1 }; static constexpr A a2 = { 2 }; static constexpr B b1 = { 1 }; static constexpr B b2 = { 2 }; void callback(size_t n, A const& a) { std::cout << a.n << '/' << n << std::endl; } void callback(size_t n, B const& b, char const* message) { std::cout << b.n << '/' << n << " [" << message << "]" << std::endl; } namespace { utils::Register<A> a1_([](size_t n){ callback(n, a1); }); utils::Register<A> a2_([](size_t n){ callback(n, a2); }); utils::Register<B> b1_([](size_t n){ callback(n, b1, "b1"); }); utils::Register<B> b2_([](size_t n){ callback(n, b2, "b2"); }); } int main() { Debug(debug::init()); utils::RegisterGlobals::finish_registration(); }
[ "carlo@alinoe.com" ]
carlo@alinoe.com
47db1b1565fab014c1ef6d9c75301fb4c10d3c5a
f0280623b3b6cd80fa3a1102bf911e5cc736cc2b
/QtRptProject/QtRptDesigner/tmp-lin64/ui_RepScrollArea.h
0d9b679fbe841459c8a6c14fecd8713e52ca13e4
[]
no_license
xman199775/jeanscar
1aea4dd5b35bab07462e2af3dfc98ee7813720fa
1170c165ad0d6e50829d3d5db618406326a83c51
refs/heads/master
2021-05-05T06:09:14.336541
2018-06-25T12:49:52
2018-06-25T12:49:52
113,491,136
0
0
null
null
null
null
UTF-8
C++
false
false
6,935
h
/******************************************************************************** ** Form generated from reading UI file 'RepScrollArea.ui' ** ** Created by: Qt User Interface Compiler version 5.5.1 ** ** WARNING! All changes made in this file will be lost when recompiling UI file! ********************************************************************************/ #ifndef UI_REPSCROLLAREA_H #define UI_REPSCROLLAREA_H #include <QtCore/QVariant> #include <QtWidgets/QAction> #include <QtWidgets/QApplication> #include <QtWidgets/QButtonGroup> #include <QtWidgets/QHBoxLayout> #include <QtWidgets/QHeaderView> #include <QtWidgets/QScrollArea> #include <QtWidgets/QSpacerItem> #include <QtWidgets/QVBoxLayout> #include <QtWidgets/QWidget> QT_BEGIN_NAMESPACE class Ui_RepScrollArea { public: QWidget *scrollAreaWidgetContents; QVBoxLayout *verticalLayout; QHBoxLayout *verticalLayout_10; QSpacerItem *leftMarginsSpacer; QWidget *horRuler; QHBoxLayout *verticalLayout_5; QVBoxLayout *verticalLayout_52; QSpacerItem *topMarginsSpacer; QWidget *verRuler; QVBoxLayout *nn; QWidget *repWidget; QSpacerItem *verticalSpacer; QSpacerItem *horizontalSpacer_2; void setupUi(QScrollArea *RepScrollArea) { if (RepScrollArea->objectName().isEmpty()) RepScrollArea->setObjectName(QStringLiteral("RepScrollArea")); RepScrollArea->resize(982, 1323); RepScrollArea->setWindowTitle(QStringLiteral("ScrollArea")); RepScrollArea->setWidgetResizable(true); scrollAreaWidgetContents = new QWidget(); scrollAreaWidgetContents->setObjectName(QStringLiteral("scrollAreaWidgetContents")); scrollAreaWidgetContents->setGeometry(QRect(0, 0, 980, 1321)); verticalLayout = new QVBoxLayout(scrollAreaWidgetContents); verticalLayout->setObjectName(QStringLiteral("verticalLayout")); verticalLayout_10 = new QHBoxLayout(); verticalLayout_10->setSpacing(0); verticalLayout_10->setObjectName(QStringLiteral("verticalLayout_10")); leftMarginsSpacer = new QSpacerItem(26, 20, QSizePolicy::Fixed, QSizePolicy::Minimum); verticalLayout_10->addItem(leftMarginsSpacer); horRuler = new QWidget(scrollAreaWidgetContents); horRuler->setObjectName(QStringLiteral("horRuler")); QSizePolicy sizePolicy(QSizePolicy::Expanding, QSizePolicy::Fixed); sizePolicy.setHorizontalStretch(0); sizePolicy.setVerticalStretch(0); sizePolicy.setHeightForWidth(horRuler->sizePolicy().hasHeightForWidth()); horRuler->setSizePolicy(sizePolicy); horRuler->setMinimumSize(QSize(840, 20)); QPalette palette; QBrush brush(QColor(255, 255, 255, 255)); brush.setStyle(Qt::SolidPattern); palette.setBrush(QPalette::Active, QPalette::Base, brush); palette.setBrush(QPalette::Active, QPalette::Window, brush); palette.setBrush(QPalette::Inactive, QPalette::Base, brush); palette.setBrush(QPalette::Inactive, QPalette::Window, brush); palette.setBrush(QPalette::Disabled, QPalette::Base, brush); palette.setBrush(QPalette::Disabled, QPalette::Window, brush); horRuler->setPalette(palette); horRuler->setAutoFillBackground(true); verticalLayout_10->addWidget(horRuler); verticalLayout->addLayout(verticalLayout_10); verticalLayout_5 = new QHBoxLayout(); verticalLayout_5->setObjectName(QStringLiteral("verticalLayout_5")); verticalLayout_52 = new QVBoxLayout(); verticalLayout_52->setSpacing(0); verticalLayout_52->setObjectName(QStringLiteral("verticalLayout_52")); topMarginsSpacer = new QSpacerItem(20, 20, QSizePolicy::Minimum, QSizePolicy::Fixed); verticalLayout_52->addItem(topMarginsSpacer); verRuler = new QWidget(scrollAreaWidgetContents); verRuler->setObjectName(QStringLiteral("verRuler")); QSizePolicy sizePolicy1(QSizePolicy::Fixed, QSizePolicy::Expanding); sizePolicy1.setHorizontalStretch(0); sizePolicy1.setVerticalStretch(0); sizePolicy1.setHeightForWidth(verRuler->sizePolicy().hasHeightForWidth()); verRuler->setSizePolicy(sizePolicy1); verRuler->setMinimumSize(QSize(20, 1188)); QPalette palette1; palette1.setBrush(QPalette::Active, QPalette::Base, brush); palette1.setBrush(QPalette::Active, QPalette::Window, brush); palette1.setBrush(QPalette::Inactive, QPalette::Base, brush); palette1.setBrush(QPalette::Inactive, QPalette::Window, brush); palette1.setBrush(QPalette::Disabled, QPalette::Base, brush); palette1.setBrush(QPalette::Disabled, QPalette::Window, brush); verRuler->setPalette(palette1); verRuler->setAutoFillBackground(true); verticalLayout_52->addWidget(verRuler); verticalLayout_5->addLayout(verticalLayout_52); nn = new QVBoxLayout(); nn->setObjectName(QStringLiteral("nn")); nn->setContentsMargins(0, -1, -1, -1); repWidget = new QWidget(scrollAreaWidgetContents); repWidget->setObjectName(QStringLiteral("repWidget")); QSizePolicy sizePolicy2(QSizePolicy::Fixed, QSizePolicy::Fixed); sizePolicy2.setHorizontalStretch(0); sizePolicy2.setVerticalStretch(0); sizePolicy2.setHeightForWidth(repWidget->sizePolicy().hasHeightForWidth()); repWidget->setSizePolicy(sizePolicy2); repWidget->setMinimumSize(QSize(840, 1188)); QPalette palette2; palette2.setBrush(QPalette::Active, QPalette::Base, brush); palette2.setBrush(QPalette::Active, QPalette::Window, brush); palette2.setBrush(QPalette::Inactive, QPalette::Base, brush); palette2.setBrush(QPalette::Inactive, QPalette::Window, brush); palette2.setBrush(QPalette::Disabled, QPalette::Base, brush); palette2.setBrush(QPalette::Disabled, QPalette::Window, brush); repWidget->setPalette(palette2); repWidget->setAutoFillBackground(true); nn->addWidget(repWidget); verticalSpacer = new QSpacerItem(20, 40, QSizePolicy::Minimum, QSizePolicy::Expanding); nn->addItem(verticalSpacer); verticalLayout_5->addLayout(nn); horizontalSpacer_2 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); verticalLayout_5->addItem(horizontalSpacer_2); verticalLayout->addLayout(verticalLayout_5); RepScrollArea->setWidget(scrollAreaWidgetContents); retranslateUi(RepScrollArea); QMetaObject::connectSlotsByName(RepScrollArea); } // setupUi void retranslateUi(QScrollArea *RepScrollArea) { Q_UNUSED(RepScrollArea); } // retranslateUi }; namespace Ui { class RepScrollArea: public Ui_RepScrollArea {}; } // namespace Ui QT_END_NAMESPACE #endif // UI_REPSCROLLAREA_H
[ "xman199775@gmail.com" ]
xman199775@gmail.com
bed5a680e90ce5ded6801cbb2b7d54c2e878167b
025ed72df3774c21cc3c9f4ab998904fab96ede5
/src/directory.hpp
22f3df3b00bfd74d4708813ea5e3235aeb5842c5
[ "Zlib" ]
permissive
edneville/Oblivion2-XRM
25960950de37e899c78cedef64a12de90d2168cc
33e2483d15b7c9e8656dcda6f5ea257851271b49
refs/heads/master
2020-03-26T18:58:36.936758
2018-08-12T22:44:23
2018-08-12T22:44:23
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,404
hpp
#ifndef DIRECTORY_HPP #define DIRECTORY_HPP #include <dirent.h> #include <string> #include <iostream> #include <vector> #include <memory> #include <mutex> /** * There is no Standard Filesystem and directory methods for C++/11 * At this time, 17 has some new expermental from Boost libs but * Most systems are not up to 17 yet. Were using some C API * Which are not thread safe so we'll wrap them un mutex for now. */ /** * @class directory * @author Michael Griffin * @date 03/03/2018 * @file directory.hpp * @brief Thread-Safe Directory Class for Parsing all Files in a folder. */ class Directory { public: explicit Directory(void) : m() // Mutex { } ~Directory() {} /** * @brief Returns the Extension of the current file name * @param value * @return */ std::string getFileExtension(const std::string &value) { std::string::size_type idx = value.rfind("."); std::string extension = ""; if (idx != std::string::npos) { extension = value.substr(idx+1); } return extension; } /** * @brief Retrieves All files in directory by Extension (ex.. .yaml) * @param dir * @return */ std::vector<std::string> getAllFilesInDirectoryByExtension(const std::string &dir, std::string extension) { std::lock_guard<std::mutex> lock(m); // Check if were pulling by specific or all files with extensions. bool isAllExtenasions = false; if (extension.size() > 0) { isAllExtenasions = true; } std::vector<std::string> file_list; std::shared_ptr<DIR> local_directory_ptr(opendir(dir.c_str()), [] (DIR* directory) { directory && closedir(directory); }); if (!local_directory_ptr) { std::cout << "Error dir opening: " << errno << dir << std::endl; return file_list; } struct dirent *dirent_ptr; while ((dirent_ptr = readdir(local_directory_ptr.get())) != nullptr) { // Skip All Directories "., .." in current folder. std::string file_name = dirent_ptr->d_name; if (file_name[file_name.size()-1] != '.') { // If File Extension matches then add to the list. std::string file_ext = getFileExtension(file_name); if (isAllExtenasions && file_ext == extension) { // By Specific Extension file_list.push_back(file_name); } else if(!isAllExtenasions && file_ext != "") { // By All Extensions (Skip folders and executables) file_list.push_back(file_name); } } } return file_list; } /** * @brief Get File Listing Helper Method * @param directory * @param extension * @return */ std::vector<std::string> getFileListPerDirectory(std::string directory, std::string extension) { const auto& directory_path = directory; const auto& file_list = getAllFilesInDirectoryByExtension(directory_path, extension); return file_list; } private: mutable std::mutex m; }; typedef std::shared_ptr<Directory> directory_ptr; #endif // DIRECTORY_HPP
[ "mrmisticismo@hotmail.com" ]
mrmisticismo@hotmail.com
6d8955f36af2d4d0b7583a84dd1609abaa89516c
d7b7d2668be26aed4803fc5a7368123822a18540
/src/7demo_main.cpp
5e2f09213578f68d997623d85c8df9d9d4af4ce3
[]
no_license
tthinh188/7demo_main
01b33cbb2cf7796c3c849a9adc35347e52604c96
ece5be5ab11a204bc6b1b33f93eaa5bb14907a13
refs/heads/master
2020-08-08T20:26:20.316501
2018-02-19T04:55:59
2018-02-19T04:55:59
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,529
cpp
//============================================================================ // Name : 7demo_main.cpp // Author : // Version : // Copyright : Steal this code! // Description : Hello World in C++, Ansi-style //============================================================================ #include <iostream> #include <fstream> #include <vector> #include "../includes/constants.h" #include "../../7demo_fileio/src/fileio.h" #include "../includes/filters.h" using namespace std; const int FAIL_WRONG_NUMBER_ARGS = -5; const int EXPECTED_NUMBER_ARGUMENTS =3; const string WRONG_NUMB_ARGS = "This program expects 2 arguments, infile outfile"; const string WHAT_I_DO = "Data is read from infile, transformed, and then written to outfile"; int main( int argc, char *argv[] ) { //argc = how many arguments passed in (including this program) //char *argv[] char array of those arguments //expect progname infile outfile if( argc != EXPECTED_NUMBER_ARGUMENTS ) { cout<< WRONG_NUMB_ARGS <<endl; if (argc == 2 && ((argv[1][1]) == 'h' || (argv[1][1] == 'H' ))) cout<< WHAT_I_DO <<endl; return FAIL_WRONG_NUMBER_ARGS; } string infile = argv[1]; string outfile = argv[2]; //get the data std::vector<Data> allData; int iret = readFileIntoVector(allData, infile); if (iret != SUCCESS) return iret; //process the data with filters replaceMissingAgeWithAverageAge(allData); //save the data iret = writeDataToFile(allData, outfile); }
[ "kperkins411@gmail.com" ]
kperkins411@gmail.com
071c4bbdcacbea3780ba068896b400661ad27dcb
603754472ab95c389ad67a9b3eceab216bb7a72d
/wk11/ex_6_5_start/ex_6_5_start.ino
799f37ddef465c933aa6ecaeeac1b570a112d021
[]
no_license
eun-jiii/ar06
06ce91b33a5404b2d58b9eab31596f4852959b6d
be0a380bfb0cec4a7446edb3d997ba1631629fdf
refs/heads/main
2023-05-11T14:50:53.208316
2021-05-26T11:32:55
2021-05-26T11:32:55
344,038,947
0
0
null
null
null
null
UTF-8
C++
false
false
2,294
ino
/* 예제 6.5 조이스틱 입력 */ // I2C 통신 라이브러리 설정 #include <Wire.h> // I2C LCD 라리브러리 설정 #include <LiquidCrystal_I2C.h> // LCD I2C address 설정 PCF8574:0x27, PCF8574A:0x3F LiquidCrystal_I2C lcd(0x27,16,2); // LCD address:0x27, 16X2 LCD // 0번 아날로그핀을 X 축 입력으로 설정 const int xAxisPin = 0; // 1번 아날로그핀을 Y 축 입력으로 설정 const int yAxisPin = 1; // 2번 디지털 입력 핀을 Z 축 입력으로 설정 const int zAxisPin = 2; void setup() { // Z 축 입력은 디지털 입력으로 설정한다. pinMode(zAxisPin, INPUT_PULLUP); lcd.init(); // LCD 설정 lcd.backlight(); // 백라이트를 켠다. // 메세지를 표시한다. lcd.print("ex 6.5"); lcd.setCursor(0,1); lcd.print("Joystick"); // 3초동안 메세지를 표시한다. delay(3000); // 모든 메세지를 삭체한 뒤 // X축 Y축 문자를 출력한다. lcd.clear(); lcd.setCursor(0,0); lcd.print("X:"); lcd.setCursor(0,1); lcd.print("Y:"); lcd.setCursor(15,1); } void loop(){ // X, Y, Z 축 값을 읽는다. int xValue = analogRead(xAxisPin); int yValue = analogRead(yAxisPin); int zValue = digitalRead(zAxisPin); // 그래프를 그리기 위해서 X, Y 값을 조절한다. int xDisplay = map(xValue,0,1023,6,15); int yDisplay = map(yValue,0,1023,6,15); // 첫 째 줄에 전에 표시했던 내용을 지운다. lcd.setCursor(2,0); lcd.print(" "); // 14칸 공백 // X 축의 ADC 값을 출력한다. lcd.setCursor(2,0); lcd.print(xValue); // 조이스틱의 X 값에 따라 그래프를 출력한다 lcd.setCursor(xDisplay,0); lcd.print("|"); // 둘째 줄에 전에 표시했던 내용을 지운다. lcd.setCursor(2,1); lcd.print(" "); // 14칸 공백 // Y 축의 ADC 값을 출력한다. lcd.setCursor(2,1); lcd.print(yValue); // 조이스틱의 Y 값에 따라 그래프를 출력한다 lcd.setCursor(yDisplay,1); lcd.print("|"); // Z 방향으로 눌렸을 때 백라이트를 점멸한다. if(zValue == LOW){ lcd.noBacklight(); delay(300); lcd.backlight(); } delay(100); }
[ "noreply@github.com" ]
noreply@github.com
c98bc0317248d1fbfff3c4d2739864d3ae45914f
92fe47dd34714208c9114bae25b0a17475963342
/Hacks/CSGO/CSGOInternal/csgoInternalMaster/CSGOInternalCplus/rcs.cpp
8a740cd2e7909eee04c023acafa299ad1f7cfa9a
[]
no_license
AbhishekGola/Gaming
bed16a3a4d02dc76f230a75a662d19184db51f6f
a055d7178d9d80a1258b1d0814f2a8cd52dad16b
refs/heads/master
2023-08-15T01:14:30.077234
2019-12-01T17:24:41
2019-12-01T17:24:41
186,141,146
0
0
null
null
null
null
UTF-8
C++
false
false
2,442
cpp
/* ___ ___ ___ ___ /\ \ |\__\ /\ \ /\__\ /::\ \ |:| | /::\ \ /::| | /:/\:\ \ |:| | /:/\:\ \ /:|:| | /:/ \:\ \ |:|__|__ /::\~\:\ \ /:/|:| |__ /:/__/ \:\__\ /::::\__\ /:/\:\ \:\__\ /:/ |:| /\__\ \:\ \ \/__/ /:/~~/~~ \/__\:\/:/ / \/__|:|/:/ / \:\ \ /:/ / \::/ / |:/:/ / \:\ \ \/__/ /:/ / |::/ / \:\__\ /:/ / /:/ / \/__/ \/__/ \/__/ revolt (4/2017) */ /* #include "rcs.h" #include "menu.h" #include "utilities.h" #include "interfaces.h" #include "settings.h" void RCS::CreateMove(void* pCmdVoid) { CUserCmd* pCmd = reinterpret_cast<CUserCmd*>(pCmdVoid); // TODO complete refactor, move code into aimbot.cpp prolly if (!Config::Aimbot::Rifles::RCS::Enable) return; C_BasePlayer* pLocal = I::EntList->GetClientEntity(I::Engine->GetLocalPlayer()); if (!pLocal) return; QAngle aimPunch = *pLocal->GetAimPunchAngle(); vec_t punchLen = aimPunch.Length2D(); static float curRCSx = (Config::Aimbot::RCS::xMin + Config::Aimbot::RCS::xMax) / 2.f; static float curRCSy = (Config::Aimbot::RCS::yMin + Config::Aimbot::RCS::yMax) / 2.f; if (punchLen < 0 || punchLen > 120) return; float xMin = Config::Aimbot::RCS::xMin; float xMax = Config::Aimbot::RCS::xMin; float yMin = Config::Aimbot::RCS::xMin; float yMax = Config::Aimbot::RCS::xMin; if (xMin > xMax) { Utilities::Warn(XOR("RCS x Min is greater than x Max, auto fixing\n")); //Settings.Misc.RCSxMin->SetValue(Settings.Misc.RCSxMax->GetValue() - 0.1f); } if (yMin > yMax) { Utilities::Warn(XOR("RCS y Min is greater than y Max, auto fixing\n")); //Settings.Misc.RCSyMin->SetValue(Settings.Misc.RCSyMax->GetValue() - 0.1f); } curRCSx += Utilities::RandomFloat(-0.02f, 0.02f); curRCSy += Utilities::RandomFloat(-0.02f, 0.02f); if (curRCSx < xMin) curRCSx = xMin; if (curRCSx > xMax) curRCSx = xMax; if (curRCSy < yMin) curRCSy = yMin; if (curRCSy > yMax) curRCSy = yMax; //if (!Settings.Aimbot.requireKey->GetBool() || GetAsyncKeyState(Settings.Aimbot.key->GetKey() & 0x8000)) //{ // pCmd->viewangles.x -= aimPunch.x * 2.f; // pCmd->viewangles.y -= aimPunch.y * 2.f; //} //else //{ pCmd->viewangles.x -= aimPunch.x * curRCSx; pCmd->viewangles.y -= aimPunch.y * curRCSy; //} } */
[ "abhishekgola@hotmail.com" ]
abhishekgola@hotmail.com
0392e1ed023ec60224a3a3779cc9d99ae3e10f94
d9bf0d3862cd47bfa78fc31f831f90be19b039cb
/core/zxing/oned/rss/data_character.hpp
2cda3a866b33ad2991e79be4384ac1872ffddc63
[ "Apache-2.0" ]
permissive
kinglezhuang/zxingpp
3c3aea95d41ac00eaec43a2ec56ff2b1d77495c7
a82041843524d8883ba9abb19964fa433454d39a
refs/heads/master
2021-09-16T00:57:46.010103
2018-06-14T01:00:51
2018-06-14T01:00:51
114,210,167
1
1
null
null
null
null
UTF-8
C++
false
false
157
hpp
// // data_character.hpp // zxingpp // // Created by Kingle Zhuang on 6/13/18. // Copyright © 2018 Kingle Zhuang. All rights reserved. // #pragma once
[ "kingle.zhuang@ringcentral.com" ]
kingle.zhuang@ringcentral.com
31561bef05f24499d95d53a79a6e90ab3fd93950
ac657a0ffc117b5c53d11ed218a6e97ac182f1e9
/src/kalman_filter.cpp
14a196850e0bc49276f8561e4e0156fccbef683b
[]
no_license
Goddard/extended-kalman-filter
6bb121826a2d62daf516e6f61a332f1e9da3ad5a
403cc80af137dd0622d64034a23fe3b999ed0cf8
refs/heads/master
2021-01-25T04:34:59.539024
2017-06-06T14:15:55
2017-06-06T14:15:55
93,448,078
0
0
null
null
null
null
UTF-8
C++
false
false
1,593
cpp
#include <math.h> /* atan2 */ #include "kalman_filter.h" using Eigen::MatrixXd; using Eigen::VectorXd; KalmanFilter::KalmanFilter() {} KalmanFilter::~KalmanFilter() {} void KalmanFilter::Init(VectorXd &x_in, MatrixXd &P_in, MatrixXd &F_in, MatrixXd &H_in, MatrixXd &R_in, MatrixXd &Q_in) { x_ = x_in; P_ = P_in; F_ = F_in; H_ = H_in; R_ = R_in; Q_ = Q_in; } void KalmanFilter::Predict() { x_ = F_ * x_; MatrixXd Ft = F_.transpose(); P_ = F_ * P_ * Ft + Q_; } void KalmanFilter::Update(const VectorXd &z) { VectorXd z_pred = H_ * x_; VectorXd y = z - z_pred; MatrixXd Ht = H_.transpose(); MatrixXd S = H_ * P_ * Ht + R_; MatrixXd Si = S.inverse(); MatrixXd PHt = P_ * Ht; MatrixXd K = PHt * Si; //new estimate x_ = x_ + (K * y); long x_size = x_.size(); MatrixXd I = MatrixXd::Identity(x_size, x_size); P_ = (I - K * H_) * P_; } void KalmanFilter::UpdateEKF(const VectorXd &z) { float rho = sqrt(x_(0) * x_(0) + x_(1) * x_(1)); float phi = atan2(x_(1), x_(0)); float rho_dot; if (fabs(rho) < 0.0001) { rho_dot = 0; } else { rho_dot = (x_(0) * x_(2) + x_(1) * x_(3)) / rho; } VectorXd z_pred(3); z_pred << rho, phi, rho_dot; VectorXd y = z - z_pred; MatrixXd Ht = H_.transpose(); MatrixXd S = H_ * P_ * Ht + R_; MatrixXd Si = S.inverse(); MatrixXd PHt = P_ * Ht; MatrixXd K = PHt * Si; y(1) = std::atan2(sin( y(1)), cos( y(1) )); //new estimate x_ = x_ + (K * y); long x_size = x_.size(); MatrixXd I = MatrixXd::Identity(x_size, x_size); P_ = (I - K * H_) * P_; }
[ "ryein@goddardlabs.com" ]
ryein@goddardlabs.com
0229757c65738061dac3f268329cbd67c868ced7
84a9cf5fd65066cd6c32b4fc885925985231ecde
/GDS2/Plugins/src/ObjectTexture/StdAfx.cpp
206fa4c84b8e743332cfed80b585111ad5df9203
[]
no_license
acemon33/ElementalEngine2
f3239a608e8eb3f0ffb53a74a33fa5e2a38e4891
e30d691ed95e3811c68e748c703734688a801891
refs/heads/master
2020-09-22T06:17:42.037960
2013-02-11T21:08:07
2013-02-11T21:08:07
null
0
0
null
null
null
null
UTF-8
C++
false
false
215
cpp
// stdafx.cpp : source file that includes just the standard includes // ObjectTexture.pch will be the pre-compiled header // stdafx.obj will contain the pre-compiled type information #include "stdafx.h"
[ "klhurley@yahoo.com" ]
klhurley@yahoo.com
f76d0678d12037971df025520c0180155a48cbff
c466c487e1d1e743d4e3bfbe7168358c0787d5f3
/src/game/client/GameClient.h
2b326bbbf8a7fdd6c2d0f2301c5940bcb13267f4
[]
no_license
jucham/rouage
686a0905cf198cf735dcec7dc28577756e3e321f
33160fb4c44fb1320a33d893d36397075beeb223
refs/heads/master
2022-11-18T09:16:25.104931
2020-07-10T10:18:53
2020-07-10T10:18:53
278,144,034
0
0
null
null
null
null
UTF-8
C++
false
false
3,679
h
#ifndef GAMECLIENT_H_ #define GAMECLIENT_H_ #include <list> #include <base/Regulator.h> #include <engine/client/Window.h> #include <engine/client/gfx/GFXAsset.h> #include <engine/client/gfx/text/TextRender.h> #include <engine/shared/Common.h> #include <engine/shared/Address.h> #include <game/server/Map.h> #include "Camera.h" #include "Renderer.h" #include "Chat.h" #include "ParticleManager.h" #include <CEGUI/System.h> #include "ui/Menu.h" class NetPiece; class Map; class CollisionModel; class Client; struct CharacterData { bool exist; int state; Vector2D pos; int currentWeapon; float weaponAngle; int aAmmoCount[NUM_WEAPONS]; int moveState; int health; int kills; int deaths; char name[MAX_PLAYERNAME_LENGTH]; int skinId; }; struct ProjectileData { bool exist; int weaponType; Vector2D pos; float angle; // client only static const int CLOUD_DELAY = 50; int lastCloudTime; }; struct EventData { static int numEvents; int ownerClientId; int type; Vector2D pos; }; struct TriggerData { bool exist; int type; int subType; bool active; Vector2D pos; }; class GameClient { friend class MenuHandler; public: GameClient(); ~GameClient(); void Update(); void RenderGame(); void RenderMenu(); void RenderStartscreen(); CharacterData & GetCharacterData(int clientId); ProjectileData & GetProjectileData(int i); EventData * GetEventData(); bool LoadMap(const char *pMapName); void UnloadMap(); void SetLocalClientId(int clientId); float GetLocalWeaponAngle(); Chat & GetChat() {return m_Chat;} TriggerData * GetTriggerData() {return m_aTriggerData;} int GetLocalClientId() const {return m_LocalClientId;} void AddEffects(); void AddActiveProjectileId(int id); void ResetActiveProjectileIds(); void UpdateClientData(int clientId); void SetMonitoring(bool b); Renderer & GetRenderer() { return m_Renderer; } void AddChatMessage(const char *msg); bool ResumeGame(const CEGUI::EventArgs& ea); bool LeaveGame(const CEGUI::EventArgs& ea); bool GameLeft() const {return m_GameLeft;} void SetGameLeft(bool b) {m_GameLeft = b;} void RenderScreenMessage(const char *msg); private: CharacterData & GetLocalCharacterData(); void UpdateConsole(); void JoinGame(); static void BuildSnapBar(float snapPercents, char *snapBar, const int MAX_SNAP_BAR_VALUE); void UpdateChat(); int m_LocalClientId; Window m_Window; Renderer m_Renderer; Regulator m_frameRegulator; std::vector<CharacterData> m_CharactersData; ProjectileData m_aProjectilesData[MAX_PROJECTILES]; EventData m_aEventData[MAX_EVENTS]; TriggerData m_aTriggerData[MAX_TRIGGERS]; bool m_Monitoring; Chat m_Chat; Map *m_pMap; ParticleManager m_ParticleMgr; CollisionModel *m_pColModPartTile; std::list<int> m_ActiveProjectileIds; MenuStack m_MenuStack; Menu *m_MainMenu; bool m_GameLeft; }; inline CharacterData & GameClient::GetCharacterData(int clientId) { assert(clientId >= 0 && clientId < MAX_CLIENTS); return m_CharactersData[clientId]; } inline ProjectileData & GameClient::GetProjectileData(int i) { assert(i >= 0 && i < MAX_PROJECTILES); return m_aProjectilesData[i]; } inline EventData * GameClient::GetEventData() { return m_aEventData; } inline void GameClient::AddActiveProjectileId(int id) { m_ActiveProjectileIds.push_back(id); } inline void GameClient::ResetActiveProjectileIds() { m_ActiveProjectileIds.clear(); } #endif /* GAMECLIENT_H_ */
[ "julien.champalbert@gmail.com" ]
julien.champalbert@gmail.com
dd15a0f1e3bb3d9071f004339c15e12a7c98ee38
8f813eacb90b9904dc0c8bf81c04331453e483af
/tools/icp.cpp
9bf64ede9c948ec50d007610fcdd5579eaf8c95e
[ "BSD-3-Clause" ]
permissive
daviddoria/PCLMirror
6613a8568a79d9927fb81bacd4f23871b8114f19
0f928f8ad56c103ab786774e96177b8b8ed7e915
refs/heads/master
2021-01-10T19:59:22.833477
2012-06-11T15:33:45
2012-06-11T15:33:45
4,588,059
2
5
null
null
null
null
UTF-8
C++
false
false
4,659
cpp
/* * Software License Agreement (BSD License) * * Point Cloud Library (PCL) - www.pointclouds.org * Copyright (c) 2011, Willow Garage, Inc. * * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * Redistributions in binary form must reproduce the above * copyright notice, this list of conditions and the following * disclaimer in the documentation and/or other materials provided * with the distribution. * * Neither the name of Willow Garage, Inc. nor the names of its * contributors may be used to endorse or promote products derived * from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS * FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE * COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, * BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER * CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT * LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN * ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE * POSSIBILITY OF SUCH DAMAGE. * * $Id$ * */ #include <pcl/console/parse.h> #include <pcl/io/pcd_io.h> #include <pcl/point_types.h> #include <pcl/registration/icp.h> #include <pcl/registration/icp_nl.h> #include <string> #include <iostream> #include <fstream> #include <vector> typedef pcl::PointXYZ PointType; typedef pcl::PointCloud<PointType> Cloud; typedef Cloud::ConstPtr CloudConstPtr; typedef Cloud::Ptr CloudPtr; int main (int argc, char **argv) { double dist = 0.05; pcl::console::parse_argument (argc, argv, "-d", dist); double rans = 0.05; pcl::console::parse_argument (argc, argv, "-r", rans); int iter = 50; pcl::console::parse_argument (argc, argv, "-i", iter); bool nonLinear = false; pcl::console::parse_argument (argc, argv, "-n", nonLinear); std::vector<int> pcd_indices; pcd_indices = pcl::console::parse_file_extension_argument (argc, argv, ".pcd"); CloudPtr model (new Cloud); if (pcl::io::loadPCDFile (argv[pcd_indices[0]], *model) == -1) { std::cout << "Could not read file" << std::endl; return -1; } std::cout << argv[pcd_indices[0]] << " width: " << model->width << " height: " << model->height << std::endl; std::string result_filename (argv[pcd_indices[0]]); result_filename = result_filename.substr (result_filename.rfind ("/") + 1); pcl::io::savePCDFile (result_filename.c_str (), *model); std::cout << "saving first model to " << result_filename << std::endl; Eigen::Matrix4f t (Eigen::Matrix4f::Identity ()); for (size_t i = 1; i < pcd_indices.size (); i++) { CloudPtr data (new Cloud); if (pcl::io::loadPCDFile (argv[pcd_indices[i]], *data) == -1) { std::cout << "Could not read file" << std::endl; return -1; } std::cout << argv[pcd_indices[i]] << " width: " << data->width << " height: " << data->height << std::endl; pcl::IterativeClosestPoint<PointType, PointType> *icp; if (nonLinear) { std::cout << "Using IterativeClosestPointNonLinear" << std::endl; icp = new pcl::IterativeClosestPointNonLinear<PointType, PointType>(); } else { std::cout << "Using IterativeClosestPoint" << std::endl; icp = new pcl::IterativeClosestPoint<PointType, PointType>(); } icp->setMaximumIterations (iter); icp->setMaxCorrespondenceDistance (dist); icp->setRANSACOutlierRejectionThreshold (rans); icp->setInputTarget (model); icp->setInputCloud (data); CloudPtr tmp (new Cloud); icp->align (*tmp); t = icp->getFinalTransformation () * t; pcl::transformPointCloud (*data, *tmp, t); std::cout << icp->getFinalTransformation () << std::endl; *model = *data; std::string result_filename (argv[pcd_indices[i]]); result_filename = result_filename.substr (result_filename.rfind ("/") + 1); pcl::io::savePCDFileBinary (result_filename.c_str (), *tmp); std::cout << "saving result to " << result_filename << std::endl; } return 0; }
[ "jspricke@a9d63959-f2ad-4865-b262-bf0e56cfafb6" ]
jspricke@a9d63959-f2ad-4865-b262-bf0e56cfafb6
3dbdfe297942a1091ad011597495245fb3861535
e6d6d39e979928e107c291442d95382fff661fbc
/privatized_threadpool.hpp
369dc2f3fe84bcc0d4eaca97f8b24d6ad9cbec90
[]
no_license
clin99/demo
0647aeea0af0b5e8c9251a9b16037a322fa6aa04
37b3912354b1e62fb8929589c8bca6af96b121a0
refs/heads/master
2020-03-29T12:42:02.660067
2018-09-25T05:38:11
2018-09-25T05:38:11
149,913,313
0
0
null
null
null
null
UTF-8
C++
false
false
16,686
hpp
// 2018/09/21 - modified by Tsung-Wei and Chun-Xun // - refactored the code // // TODO: // - Problems can occur when external threads insert tasks during spawn. // // 2018/09/12 - created by Tsung-Wei Huang and Chun-Xun Lin // // Implemented PrivatizedThreadpool using the data structre inspired // Eigen CXX/Threadpool. #pragma once #include <iostream> #include <functional> #include <vector> #include <mutex> #include <deque> #include <thread> #include <stdexcept> #include <condition_variable> #include <memory> #include <future> #include <optional> #include <unordered_set> #include <unordered_map> #include "move_on_copy.hpp" namespace tf { // ---------------------------------------------------------------------------- template <typename T, unsigned N> class RunQueue { static_assert((N & (N - 1)) == 0, "N must be power of two"); static_assert(N > 2, "N must be larger than two"); constexpr static unsigned IDX_MASK = N - 1; constexpr static unsigned POS_MASK = (N << 1) - 1; struct Entry { std::atomic<uint8_t> state; T w; }; enum : uint8_t { EMPTY, BUSY, READY }; public: RunQueue(); bool push_back(T&&); bool push_front(T&&); bool push_front(T&); bool pop_front(T&); bool push_back(T&); bool pop_back(T&); bool empty() const; private: std::mutex _mutex; std::atomic<unsigned> _front; std::atomic<unsigned> _back; std::atomic_flag _lock = ATOMIC_FLAG_INIT; Entry _array[N]; }; // Constructor template <typename T, unsigned N> RunQueue<T, N>::RunQueue() { _front.store(0, std::memory_order_relaxed); _back.store(0, std::memory_order_relaxed); for(unsigned i=0; i<N; ++i) { _array[i].state.store(EMPTY, std::memory_order_relaxed); } } // insert item w to the beginning of the queue and return true if inserted // or false otherwise. // this function can only be called by the owner thread. template <typename T, unsigned N> bool RunQueue<T, N>::push_front(T& w) { auto front = _front.load(std::memory_order_relaxed); auto& item = _array[front & IDX_MASK]; auto state = item.state.load(std::memory_order_relaxed); if(state != EMPTY || !item.state.compare_exchange_strong(state, BUSY, std::memory_order_acquire)) { return false; } _front.store((front + 1) & POS_MASK, std::memory_order_relaxed); item.w = std::move(w); item.state.store(READY, std::memory_order_release); return true; } template <typename T, unsigned N> bool RunQueue<T, N>::push_front(T&& w) { return push_front(w); } // pop the first item out of the queue and store it to w template <typename T, unsigned N> bool RunQueue<T, N>::pop_front(T& w) { if(empty()) { return false; } auto front = _front.load(std::memory_order_relaxed); auto& item = _array[(front - 1) & IDX_MASK]; auto state = item.state.load(std::memory_order_relaxed); if(state != READY || !item.state.compare_exchange_strong(state, BUSY, std::memory_order_acquire)) { return false; } _front.store((front - 1) & POS_MASK, std::memory_order_relaxed); w = std::move(item.w); item.state.store(EMPTY, std::memory_order_release); return true; } // add an item at the end of the queue template <typename T, unsigned N> bool RunQueue<T, N>::push_back(T& w) { assert(false); std::scoped_lock lock(_mutex); auto back = _back.load(std::memory_order_relaxed); auto& item = _array[(back - 1) & IDX_MASK]; auto state = item.state.load(std::memory_order_relaxed); if(state != EMPTY || !item.state.compare_exchange_strong(state, BUSY, std::memory_order_acquire)) { return false; } _back.store((back - 1) & POS_MASK, std::memory_order_relaxed); item.w = std::move(w); item.state.store(READY, std::memory_order_release); return true; } // add an item at the end of the queue template <typename T, unsigned N> bool RunQueue<T, N>::push_back(T&& w) { return push_back(w); } // pop_back removes and returns the last elements in the queue. // Can fail spuriously. template <typename T, unsigned N> bool RunQueue<T, N>::pop_back(T& w) { if(empty()) { return false; } //std::unique_lock lock(_mutex, std::try_to_lock); if(_lock.test_and_set()) return false; auto back = _back.load(std::memory_order_relaxed); auto& item = _array[back & IDX_MASK]; auto state = item.state.load(std::memory_order_relaxed); if (state != READY || !item.state.compare_exchange_strong(state, BUSY, std::memory_order_acquire)) { _lock.clear(); return false; } w = std::move(item.w); _back.store((back + 1) & POS_MASK, std::memory_order_relaxed); item.state.store(EMPTY, std::memory_order_release); _lock.clear(); return true; } // EMPTY tests whether container is empty. // Can be called by any thread at any time. template <typename T, unsigned N> bool RunQueue<T, N>::empty() const { return _front.load(std::memory_order_relaxed) == _back.load(std::memory_order_relaxed); } ///* template < template<typename...> class Func > class BasicPrivatizedThreadpool { using TaskType = Func<void()>; struct Worker{ enum : uint8_t{ ALIVE, EXIT, GETUP }; std::condition_variable cv; RunQueue<TaskType, 1024> queue; uint8_t state {ALIVE}; }; public: BasicPrivatizedThreadpool(unsigned); ~BasicPrivatizedThreadpool(); size_t num_tasks() const; size_t num_workers() const; bool is_owner() const; void shutdown(); void spawn(unsigned); void wait_for_all(); template <typename C> void silent_async(C&&); template <typename C> auto async(C&&); private: const std::thread::id _owner {std::this_thread::get_id()}; mutable std::mutex _mutex; std::condition_variable _empty_cv; std::deque<TaskType> _task_queue; std::vector<std::thread> _threads; std::vector<size_t> _coprimes; std::unordered_map<std::thread::id, size_t> _worker_maps; std::vector<std::unique_ptr<Worker>> _workers; // TODO: do we need atomic variable here? std::atomic<bool> _allow_steal {true}; size_t _num_idlers {0}; size_t _next_queue {0}; bool _wait_for_all {false}; std::optional<size_t> _nonempty_worker_queue() const; void _xorshift32(uint32_t&); bool _steal(TaskType&, uint32_t&); std::deque<size_t> halt; }; // class BasicPrivatizedThreadpool. -------------------------------------- // Function: _nonempty_worker_queue template < template<typename...> class Func > std::optional<size_t> BasicPrivatizedThreadpool<Func>::_nonempty_worker_queue() const { for(size_t i=0;i <_workers.size(); ++i){ if(!_workers[i]->queue.empty()){ return i; } } return {}; } // Function: _xorshift32 template < template<typename...> class Func > void BasicPrivatizedThreadpool<Func>::_xorshift32(uint32_t& x){ // x must be non zero: https://en.wikipedia.org/wiki/Xorshift // Algorithm "xor" from p. 4 of Marsaglia, "Xorshift RNGs" x ^= x << 13; x ^= x >> 17; x ^= x << 5; } // Function: _steal template < template<typename...> class Func > bool BasicPrivatizedThreadpool<Func>::_steal(TaskType& w, uint32_t& dice){ _xorshift32(dice); const auto inc = _coprimes[dice % _coprimes.size()]; const auto queue_num = _workers.size(); auto victim = dice % queue_num; for(size_t i=0; i<queue_num; i++){ if(_workers[victim]->queue.pop_back(w)){ return true; } victim += inc; if(victim >= queue_num){ victim -= queue_num; } } return false; //static std::atomic_flag locked {ATOMIC_FLAG_INIT}; //while (locked.test_and_set(std::memory_order_acquire)); //for(size_t i=0; i<queue_num; i++){ // if(_workers[victim]->queue.pop_back(w)){ // locked.clear(std::memory_order_release); // return true; // } // victim += inc; // if(victim >= queue_num){ // victim -= queue_num; // } //} //locked.clear(std::memory_order_release); //return false; } // Constructor template < template<typename...> class Func > BasicPrivatizedThreadpool<Func>::BasicPrivatizedThreadpool(unsigned N){ spawn(N); } // Destructor template < template<typename...> class Func > BasicPrivatizedThreadpool<Func>::~BasicPrivatizedThreadpool(){ shutdown(); } // Function: is_owner template < template<typename...> class Func > bool BasicPrivatizedThreadpool<Func>::is_owner() const { return std::this_thread::get_id() == _owner; } // Function: num_tasks template < template<typename...> class Func > size_t BasicPrivatizedThreadpool<Func>::num_tasks() const { return _task_queue.size(); } // Function: num_workers template < template<typename...> class Func > size_t BasicPrivatizedThreadpool<Func>::num_workers() const { return _threads.size(); } // Function: shutdown template < template<typename...> class Func > void BasicPrivatizedThreadpool<Func>::shutdown(){ if(!is_owner()){ throw std::runtime_error("Worker thread cannot shut down the pool"); } if(_threads.empty()) { return; } { std::unique_lock<std::mutex> lock(_mutex); // If all workers are idle && all queues are empty, then master // can directly wake up workers without waiting for notified if(_num_idlers != num_workers() || _nonempty_worker_queue().has_value() || !_task_queue.empty()){ _wait_for_all = true; // Wake up all workers in case their queues are not empty for(auto& w : _workers){ w->state = Worker::GETUP; w->cv.notify_one(); } while(_wait_for_all){ _empty_cv.wait(lock); } } // Notify workers to exit for(auto& w : _workers){ w->state = Worker::EXIT; w->cv.notify_one(); } } // Release lock for(auto& t : _threads){ t.join(); } halt.clear(); _threads.clear(); _workers.clear(); _worker_maps.clear(); } // Function: spawn template < template<typename...> class Func > void BasicPrivatizedThreadpool<Func>::spawn(unsigned N) { if(! is_owner()){ throw std::runtime_error("Worker thread cannot spawn threads"); } // Wait untill all workers become idle if any if(!_threads.empty()){ // Disable steal when spawning new threads. Becuz steal allows workers to access // other workers' data structures. _allow_steal = false; wait_for_all(); } const size_t sz = _threads.size(); // Lock to synchronize all workers before creating _worker_mapss std::scoped_lock lock(_mutex); _coprimes.clear(); for(size_t i=1; i<=sz+N; i++){ if(std::gcd(i, sz+N) == 1){ _coprimes.push_back(i); } } for(size_t i=0; i<N; ++i){ _workers.push_back(std::make_unique<Worker>()); } for(size_t i=0; i<N; ++i){ _threads.emplace_back([this, i=i+sz]() -> void { TaskType t {nullptr}; Worker& w = *(_workers[i]); uint32_t seed = i+1; std::unique_lock lock(_mutex, std::defer_lock); while(w.state != Worker::EXIT){ if(!w.queue.pop_front(t)) { if(!_allow_steal.load(std::memory_order_relaxed) || !_steal(t, seed)) { lock.lock(); if(!_task_queue.empty()) { t = std::move(_task_queue.front()); _task_queue.pop_front(); } else{ if(++_num_idlers == num_workers()){ // Last active thread checks if all queues are empty if(auto ret = _nonempty_worker_queue(); ret.has_value()){ // if the nonempty queue is mine, continue to process tasks in queue if(*ret == i){ --_num_idlers; lock.unlock(); continue; } // If any queue is not empty, notify the worker to process the tasks _workers[*ret]->state = Worker::GETUP; _workers[*ret]->cv.notify_one(); } else{ // here only one thread will do so // if all workers are idle && all queues are empty && master is waiting // notify the master by last thread if(_wait_for_all){ _wait_for_all = false; _empty_cv.notify_one(); } } } halt.push_front(i); w.state = Worker::ALIVE; //while(w.state == Worker::ALIVE && w.queue.empty() && _task_queue.empty()){ while(w.state == Worker::ALIVE){ w.cv.wait(lock); } --_num_idlers; } lock.unlock(); } // End of Steal } // End of pop_front if(t){ t(); t = nullptr; } } // End of while ------------------------------------------------------ }); _worker_maps.insert({_threads.back().get_id(), i+sz}); } // End of For --------------------------------------------------------------------------------- _allow_steal = true; } // Function: async template < template<typename...> class Func > template <typename C> auto BasicPrivatizedThreadpool<Func>::async(C&& c){ using R = std::invoke_result_t<C>; std::promise<R> p; auto fu = p.get_future(); // master thread if(num_workers() == 0){ if constexpr(std::is_same_v<void, R>){ c(); p.set_value(); } else{ p.set_value(c()); } } // have worker(s) else{ if constexpr(std::is_same_v<void, R>){ silent_async( [p = MoC(std::move(p)), c = std::forward<C>(c)]() mutable { c(); p.get().set_value(); } ); } else{ silent_async( [p = MoC(std::move(p)), c = std::forward<C>(c)]() mutable { p.get().set_value(c()); } ); } } return fu; } template < template<typename...> class Func > template <typename C> void BasicPrivatizedThreadpool<Func>::silent_async(C&& c){ TaskType t {std::forward<C>(c)}; //no worker thread available if(num_workers() == 0){ t(); return; } if(auto tid = std::this_thread::get_id(); tid != _owner){ if(auto itr = _worker_maps.find(tid); itr != _worker_maps.end()){ if(!_workers[itr->second]->queue.push_front(t)){ std::scoped_lock<std::mutex> lock(_mutex); _task_queue.push_back(std::move(t)); } return ; } } // owner thread or other threads auto id = (++_next_queue) % _workers.size(); { std::scoped_lock lock(_mutex); if(halt.empty()){ _task_queue.push_back(std::move(t)); _workers[id]->cv.notify_one(); return ; } else { id = halt.front(); halt.pop_front(); _workers[id]->queue.push_front(t); _workers[id]->state = Worker::GETUP; _workers[id]->cv.notify_one(); return ; } } // if(!_workers[id]->queue.push_back(t)){ // std::scoped_lock lock(_mutex); // _task_queue.push_back(std::move(t)); // } // else{ // // Lock to make sure the worker will be notified // std::scoped_lock lock(_mutex); // } // _workers[id]->cv.notify_one(); } // Function: wait_for_all template < template<typename...> class Func > void BasicPrivatizedThreadpool<Func>::wait_for_all() { if(!is_owner()){ throw std::runtime_error("Worker thread cannot wait for all"); } if(num_workers() == 0) { return ; } std::unique_lock lock(_mutex); // If all workers are idle && all queues are empty, // then wait_for_all is done. if(_num_idlers == num_workers() && !_nonempty_worker_queue() && _task_queue.empty()){ return ; } _wait_for_all = true; for(auto& w: _workers){ w->state = Worker::GETUP; w->cv.notify_one(); } while(_wait_for_all){ _empty_cv.wait(lock); } } //*/ }; // namespace tf -----------------------------------------------------------
[ "noreply@github.com" ]
noreply@github.com
ba3db537812a57de9b1f108eea6e7f7650376463
7b302026e0cf51e916c88cb0c44cc868815e3f6c
/Веселый Зомби Фермер/revive.cpp
9afd182cf383a0aa9b2ce3097b99f38932c6f79f
[]
no_license
iam1mPerec/ZombieFarm
d590ef420b9af8af77ac56de66d4202fb2850ccd
c302d5641ac021d52ac2e9b9be71766c58c478fe
refs/heads/master
2023-01-27T11:52:26.962930
2020-12-12T17:53:36
2020-12-12T17:53:36
312,341,375
0
0
null
null
null
null
UTF-8
C++
false
false
258
cpp
#include <iostream> #include "revive.h" using namespace std; revive::revive(const int Hp, const int Count, const int Price): consumables(consume::revive, Count, Price), hp(Hp) { fillTitle("Revive"); } int revive::getProperty() const { return hp; }
[ "alex.lytvytskyi@codecamp-n.com" ]
alex.lytvytskyi@codecamp-n.com
17790d0360c86ccd867b511a6e4a993c1cf91293
fc594771ff264ce0b52df747ae956a0d14255e15
/电工电路试验台/一阶电路的响应测试.cpp
89b1301ecf55d741e3ac59d04464560623ab210a
[]
no_license
xujunmingbest/test-bed
f73e45fce78b29856318ed15b621e5d364020a51
34a90b75170afbb71f17267c6b356705391e7f8f
refs/heads/master
2021-10-10T10:02:25.587417
2019-01-09T06:46:26
2019-01-09T06:46:26
139,206,227
0
1
null
null
null
null
GB18030
C++
false
false
2,143
cpp
#include "一阶电路的响应测试实验内容.h" #include "data_transf.h" #include "E:/c++/libfilesql/libfilesql/libfilesql.h" #pragma comment(lib,"E:/c++/libfilesql/Release/libfilesql.lib") using namespace 电工电路试验台; void 一阶电路的响应测试实验内容::SendData() { int TrialCode = 6; ST_一阶电路的响应测试 s; memset(&s, 0x00, sizeof(ST_一阶电路的响应测试)); s = Load_Grade_data(); s.ti = trialInfo; s.ti.TrialCode = TrialCode; s.ti.totalscore = -1; snprintf(s.ti.TrialName, sizeof(s.ti.TrialName), "%s", Grades[TrialCode].c_str()); snprintf(s.ti.date, sizeof(s.ti.TrialName), "%s", DateTime::Now.ToString("yyyy-MM-dd HH:mm:ss")); snprintf(s.ti.SeriaNumber, sizeof(s.ti.SeriaNumber), "%s", GenerateOrderNumber()); data_transf d; GradesHead H; H.TrialCode = TrialCode; snprintf(H.TrialName, sizeof(H.TrialName), "%s", Grades[TrialCode].c_str()); snprintf(H.MsgType, sizeof(H.MsgType), "GRADE"); if (!d.open()) { MessageBox::Show("TCP连接失败"); return; } if (!d.SendGrade(H, string((char*)&s, sizeof(ST_一阶电路的响应测试)))) { MessageBox::Show("TCP连接失败"); return; } d.RecvHandle(true); d.close(); lcc.SendComputerInfo(Grades[TrialCode] + "已交卷"); } ST_一阶电路的响应测试 一阶电路的响应测试实验内容::Load_Grade_data() { ST_一阶电路的响应测试 d; memset(&d, 0x00, sizeof(ST_一阶电路的响应测试)); snprintf(d.τ, 10, "%s", textBoxtrialτ->Text); fileSql f; string trial1bmp_in = f.Readfile( T_to_string(trial1Path_in) ); if(trial1bmp_in.length() == sizeof(d.Trial1Bmp_in)) memcpy(d.Trial1Bmp_in, trial1bmp_in.c_str(), sizeof(d.Trial1Bmp_in)); string trial2bmp_in = f.Readfile(T_to_string(trial2Path_in)); if (trial2bmp_in.length() == sizeof(d.Trial2Bmp_in)) memcpy(d.Trial2Bmp_in, trial2bmp_in.c_str(), sizeof(d.Trial2Bmp_in)); string trial3bmp_in = f.Readfile(T_to_string(trial3Path_in)); if (trial3bmp_in.length() == sizeof(d.Trial3Bmp_in)) memcpy(d.Trial3Bmp_in, trial3bmp_in.c_str(), sizeof(d.Trial3Bmp_in)); snprintf(d.summing_up, 100, "%s", textBox结论->Text); return d; }
[ "925271237@qq.com" ]
925271237@qq.com
eab226bddf93b47a0ea1c249f94828cc2633e129
18a3f93e4b94f4f24ff17280c2820497e019b3db
/geant4/G4ProtonAntiProtonReaction.hh
94846933159f551fbe9818e475c72adbaa0eab1b
[]
no_license
jjzhang166/BOSS_ExternalLibs
0e381d8420cea17e549d5cae5b04a216fc8a01d7
9b3b30f7874ed00a582aa9526c23ca89678bf796
refs/heads/master
2023-03-15T22:24:21.249109
2020-11-22T15:11:45
2020-11-22T15:11:45
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,827
hh
// // ******************************************************************** // * License and Disclaimer * // * * // * The Geant4 software is copyright of the Copyright Holders of * // * the Geant4 Collaboration. It is provided under the terms and * // * conditions of the Geant4 Software License, included in the file * // * LICENSE and available at http://cern.ch/geant4/license . These * // * include a list of copyright holders. * // * * // * Neither the authors of this software system, nor their employing * // * institutes,nor the agencies providing financial support for this * // * work make any representation or warranty, express or implied, * // * regarding this software system or assume any liability for its * // * use. Please see the license in the file LICENSE and URL above * // * for the full disclaimer and the limitation of liability. * // * * // * This code implementation is the result of the scientific and * // * technical work of the GEANT4 collaboration. * // * By using, copying, modifying or distributing the software (or * // * any work based on the software) you agree to acknowledge its * // * use in resulting scientific publications, and indicate your * // * acceptance of all terms of the Geant4 Software license. * // ******************************************************************** // // (Why only antiproton-proton, when the antiproton-nucleus is made? - M.K.) // 17.02.2009 M.Kossov, now it is recommended to use the G4QCollision process #ifndef G4ProtonAntiProtonReaction_h #define G4ProtonAntiProtonReaction_h #include "globals.hh" #include "G4HadronicInteraction.hh" #include "G4ChiralInvariantPhaseSpace.hh" #include "G4AntiProton.hh" class G4ProtonAntiProtonReaction : public G4HadronicInteraction { public: virtual G4HadFinalState* ApplyYourself(const G4HadProjectile& aTrack, G4Nucleus& aTargetNucleus); private: G4ChiralInvariantPhaseSpace theModel; }; inline G4VParticleChange * G4ProtonAntiProtonReaction:: ApplyYourself(const G4Track& aTrack, G4Nucleus& aTargetNucleus) { if(aTrack.GetDynamicParticle()->GetDefinition() != G4AntiProton::AntiProton()) { throw G4HadronicException(__FILE__, __LINE__, "Calling G4ProtonAntiProtonReaction with particle other than p-bar!!!"); } if(aTargetNucleus.GetZ() != 1) { throw G4HadronicException(__FILE__, __LINE__, "Calling G4ProtonAntiProtonReaction for target other than Hydrogen!!!"); } return theModel.ApplyYourself(aTrack, aTargetNucleus); } #endif
[ "r.e.deboer@students.uu.nl" ]
r.e.deboer@students.uu.nl
443827d3a17f09380cf187a26002c51c65cea1ce
178e3ef05c72766ac4dc102806791845686d4d2a
/server/src/common/core/util.h
e92c76acec76174524a45146e49070e3e4aed86c
[]
no_license
kfc0824/xt
d94d22ad7f0e06ae7ad5bae61c80391eb6fa7d18
003e67bba4f185ded6b31cca0cd4ec67f8da014f
refs/heads/master
2020-04-05T13:30:51.798457
2017-08-02T09:37:03
2017-08-02T09:37:03
94,851,491
0
2
null
null
null
null
UTF-8
C++
false
false
1,241
h
#ifndef _COMMON_CORE_UTIL_H_ #define _COMMON_CORE_UTIL_H_ #include "core.h" class CUtil { public: static bool StartupAsDaemon(); static bool SleepMillisecond(uint ms); static bool SleepSecond(uint s) { return SleepMillisecond(s * 1000); } static uint GetIpInt(const string &ip); static uint ToInt(const string &value); static string GetIpString(uint ip); static string ToString(uint value); static StringList SplitString(const string &strBase, const string &strSpliter); static UIntList SplitInt(const string &strBase, const string &strSpliter); static void MergeList(S2UIntList &list, const S2UIntList &added); static void MergeList(S3UIntList &list, const S3UIntList &added); static void Trim(string &strBase); static void Replace(string &strBase, const string &strOld, const string &strNew); static void ReplaceAllSpace(string &strBase) { Replace(strBase, " ", ""); } // random static uint Rand(uint min, uint max); static uint Rand(uint value) { return Rand(0, value); } static uint RandIndex(UIntList probs, uint size); static bool RandMany(UIntList& listResult, uint min, uint max, uint count, bool isDiff); private: CUtil(); ~CUtil(); }; #endif
[ "2578198711@qq.com" ]
2578198711@qq.com
5b6a3c5b4d3d8b9d1badb4a052562a2773cb10eb
50d0b2f9c666a5ee81d9c4b45fd75bba2c88881a
/pathos/libs/gpu/d3d12/DescriptorHeap_D3D12.cpp
bc39336a5edf75821761e50cb5fa821f2f58b5d9
[]
no_license
karltechno/pathos
47a61abe7fbdbce405eaf3c43927602b669b2389
71149dbc1e9716773c90187d6bbdca10664b2114
refs/heads/master
2022-05-01T20:50:11.781176
2019-09-22T19:41:34
2019-09-22T19:41:34
177,015,072
2
0
null
null
null
null
UTF-8
C++
false
false
4,878
cpp
#include <kt/Macros.h> #include "DescriptorHeap_D3D12.h" #include "Utils_D3D12.h" namespace gpu { void DescriptorHeap_D3D12::Init(ID3D12Device* _dev, D3D12_DESCRIPTOR_HEAP_TYPE _ty, uint32_t _maxDescriptors, bool _shaderVisible, char const* _debugName) { KT_UNUSED(_debugName); D3D12_DESCRIPTOR_HEAP_DESC desc = {}; desc.Flags = _shaderVisible ? D3D12_DESCRIPTOR_HEAP_FLAG_SHADER_VISIBLE : D3D12_DESCRIPTOR_HEAP_FLAG_NONE; desc.NumDescriptors = _maxDescriptors; desc.Type = _ty; D3D_CHECK(_dev->CreateDescriptorHeap(&desc, IID_PPV_ARGS(&m_heap))); m_maxDescriptors = _maxDescriptors; m_shaderVisible = _shaderVisible; m_type = _ty; m_descriptorIncrementSize = _dev->GetDescriptorHandleIncrementSize(_ty); m_heapStartCPU = m_heap->GetCPUDescriptorHandleForHeapStart(); m_heapStartGPU = m_heap->GetGPUDescriptorHandleForHeapStart(); D3D_SET_DEBUG_NAME(m_heap, _debugName); } void DescriptorHeap_D3D12::Shutdown() { SafeReleaseDX(m_heap); } D3D12_CPU_DESCRIPTOR_HANDLE DescriptorHeap_D3D12::IndexToCPUPtr(uint32_t _idx) const { KT_ASSERT(_idx < m_maxDescriptors); D3D12_CPU_DESCRIPTOR_HANDLE ret = m_heapStartCPU; ret.ptr += _idx * m_descriptorIncrementSize; return ret; } D3D12_GPU_DESCRIPTOR_HANDLE DescriptorHeap_D3D12::IndexToGPUPtr(uint32_t _idx) const { KT_ASSERT(_idx < m_maxDescriptors); D3D12_GPU_DESCRIPTOR_HANDLE ret = m_heapStartGPU; ret.ptr += _idx * m_descriptorIncrementSize; return ret; } uint32_t DescriptorHeap_D3D12::CPUPtrToIndex(D3D12_CPU_DESCRIPTOR_HANDLE _ptr) const { KT_ASSERT(IsFrom(_ptr)); return uint32_t((_ptr.ptr - m_heapStartCPU.ptr) / m_descriptorIncrementSize); } bool DescriptorHeap_D3D12::IsFrom(D3D12_CPU_DESCRIPTOR_HANDLE _ptr) const { return _ptr.ptr >= m_heapStartCPU.ptr && _ptr.ptr < (m_heapStartCPU.ptr + m_maxDescriptors * m_descriptorIncrementSize); } void FreeListDescriptorHeap_D3D12::Init(ID3D12Device* _dev, D3D12_DESCRIPTOR_HEAP_TYPE _ty, uint32_t _maxDescriptors, bool _shaderVisible, char const* _debugName) { m_heap.Init(_dev, _ty, _maxDescriptors, _shaderVisible, _debugName); uint32_t* freeList = m_freeList.PushBack_Raw(_maxDescriptors); for (uint32_t i = 0; i < _maxDescriptors; ++i) { freeList[i] = (_maxDescriptors - 1) - i; } } void FreeListDescriptorHeap_D3D12::Shutdown() { m_heap.Shutdown(); m_freeList.ClearAndFree(); } D3D12_CPU_DESCRIPTOR_HANDLE FreeListDescriptorHeap_D3D12::AllocOne() { KT_ASSERT(m_freeList.Size() != 0); D3D12_CPU_DESCRIPTOR_HANDLE ret = m_heap.IndexToCPUPtr(m_freeList.Back()); m_freeList.PopBack(); return ret; } void FreeListDescriptorHeap_D3D12::Free(D3D12_CPU_DESCRIPTOR_HANDLE _ptr) { // Todo: GC? KT_ASSERT(m_heap.IsFrom(_ptr)); KT_ASSERT(m_freeList.Size() < m_heap.MaxDescriptors()); m_freeList.PushBack(m_heap.CPUPtrToIndex(_ptr)); } void RingBufferDescriptorHeap_D3D12::Init(DescriptorHeap_D3D12* _baseHeap, uint64_t _beginOffsetInDescriptors, uint64_t _numDescriptors) { uint64_t const byteBeginOffset = _beginOffsetInDescriptors * _baseHeap->m_descriptorIncrementSize; m_ringBuffer.Init(_baseHeap->m_heapStartGPU.ptr + byteBeginOffset, _numDescriptors * _baseHeap->m_descriptorIncrementSize, (uint8_t*)_baseHeap->m_heapStartCPU.ptr + byteBeginOffset); m_handleIncrement = _baseHeap->m_descriptorIncrementSize; for (uint64_t& i : m_endOfFrameHeads) { i = c_invalidEndOfFrameHead; } } bool RingBufferDescriptorHeap_D3D12::Alloc(uint32_t _numDescriptors, D3D12_CPU_DESCRIPTOR_HANDLE& o_cpuBase, D3D12_GPU_DESCRIPTOR_HANDLE& o_gpuBase) { uint8_t* cpuptr; uint64_t gpuptr = m_ringBuffer.Alloc(_numDescriptors * m_handleIncrement, 1, &cpuptr); if (!gpuptr) { KT_ASSERT(false); return false; } o_cpuBase.ptr = SIZE_T(cpuptr); o_gpuBase.ptr = gpuptr; return true; } void RingBufferDescriptorHeap_D3D12::OnBeginFrame(uint32_t _frameIdx) { if (m_endOfFrameHeads[_frameIdx] != c_invalidEndOfFrameHead) { m_ringBuffer.AdvanceTailToPreviousHead(m_endOfFrameHeads[_frameIdx]); m_endOfFrameHeads[_frameIdx] = c_invalidEndOfFrameHead; } } void RingBufferDescriptorHeap_D3D12::OnEndOfFrame(uint32_t _frameIdx) { m_endOfFrameHeads[_frameIdx] = m_ringBuffer.CurrentHead(); } void PersistentDescriptorHeap_D3D12::Init(DescriptorHeap_D3D12* _baseHeap, uint64_t _beginOffsetInDescriptors, uint64_t _numDescriptors) { m_baseHeap = _baseHeap; m_beginOffsetInDescriptors = _beginOffsetInDescriptors; m_numAllocatedDescriptors = 0; m_maxDescriptors = _numDescriptors; } bool PersistentDescriptorHeap_D3D12::Alloc(uint32_t _numDescriptors, uint32_t& o_idx) { if (m_maxDescriptors - m_numAllocatedDescriptors < _numDescriptors) { o_idx = UINT32_MAX; KT_ASSERT(false); return false; } o_idx = uint32_t(m_beginOffsetInDescriptors + m_numAllocatedDescriptors); m_numAllocatedDescriptors += _numDescriptors; return true; } void PersistentDescriptorHeap_D3D12::Free(uint32_t _idx) { KT_UNUSED(_idx); } }
[ "karl@karltechno.com" ]
karl@karltechno.com
440d762221f559a51612ce60273734cb29c7ef1f
19ad01cb5e581cfdfe1767eccd4aee47b00107d1
/src/StoreCredit/main.cpp
bdeb643031459f93c25da700ba905238e303d14b
[]
no_license
phpisciuneri/codejam
10751e7176eafd73e22b2c18aa834fe874724c06
2a4dbd06c3a082de39ae7aec9786f38e97544b1f
refs/heads/master
2021-01-10T21:39:02.225341
2014-10-27T20:37:13
2014-10-27T20:37:13
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,495
cpp
#include "../codejam.hpp" #include <iostream> #include <string> #include <map> class StoreCredit : public Codejam { public: // TEST DATA typedef struct { int C; std::multimap< int, int > price_index; } data_t; // OUTPUT DATA typedef std::pair< int, int > output_t; public: StoreCredit( int argc, const char** argv ) : Codejam( argc, argv ) {} void get_test(); void debug() const; void solve(); void write_output( int ); private: data_t m_data; output_t m_output; }; // +----------+ // | GET_TEST | // +----------+ void StoreCredit::get_test() { // make sure map is empty m_data.price_index.clear(); int I; // number of items in store m_in >> m_data.C >> I; // read first set int tmp; for (int j=1; j<=I; j++) { m_in >> tmp; m_data.price_index.insert( std::pair<int,int>(tmp,j) ); } } // +-------+ // | DEBUG | // +-------+ void StoreCredit::debug() const {} // +-------+ // | SOLVE | // +-------+ void StoreCredit::solve() { // find two items std::multimap< int, int >::const_iterator it1; std::multimap< int, int >::const_iterator it2; for ( it1=m_data.price_index.begin(); it1!=m_data.price_index.end(); it1++ ) { it2 = m_data.price_index.find( m_data.C - it1->first ); // match found if two conditions met: // 1. end of the list wasn't reached // 2. the corner case of finding the same element when P = C/2 if ( ( it2 != m_data.price_index.end() ) && ( it2->second != it1->second ) ) { if ( it2->second > it1->second ) { m_output.first = it1->second; m_output.second = it2->second; } else { m_output.first = it2->second; m_output.second = it1->second; } break; } } } // +--------------+ // | WRITE_OUTPUT | // +--------------+ void StoreCredit::write_output( int i ) { // write answer to output m_out << "Case #" << i << ": "; m_out << m_output.first << " " << m_output.second << std::endl; } // +------+ // | MAIN | // +------+ int main( int argc, const char** argv ) { try { StoreCredit prob( argc, argv ); int N = prob.get_num_tests(); // loop over all tests for ( int i=1; i<=N; i++ ) { prob.get_test(); // call debug function if desired //prob.debug(); prob.solve(); prob.write_output( i ); } } catch( const std::string& emesg ) { std::cout << "Error: " << emesg << std::endl; } return 0; }
[ "phpisciuneri@users.noreply.github.com" ]
phpisciuneri@users.noreply.github.com
116610f4556287e657ff84e44f084a83454a892b
012a5e5d819504013a85c2478abd1cc29707ef32
/spoj/MRECAMAN/MRECAMAN-12309622.cpp
9a974963ad8ca217183577ec8d5fcde09cdcd408
[]
no_license
mohitpandey94/SPOJ-Solutions
2c70d032e1c091d18e310b5c50901709c3293c17
2fea99f43b76b3c2a8d3aa509fb5d320581b1f95
refs/heads/master
2021-09-15T22:00:19.792878
2018-06-11T19:28:50
2018-06-11T19:28:50
105,742,283
0
0
null
null
null
null
UTF-8
C++
false
false
485
cpp
#include <iostream> #include <map> using namespace std; long long int a[500001]; map<int,int>occ; void pre() { a[0]=0; occ[a[0]]=1; for (long long int i=1;i<=500000;i++) { if (!occ[a[i-1]-i] && (a[i-1]-i)>0) a[i] = a[i-1]-i; //if (occ[a[i]] && (a[i])<0) else a[i]=a[i-1]+i; occ[a[i]]=1; } } int main() { pre(); long long int k; cin>>k; while (k!=-1) { cout<<a[k]<<endl; cin>>k; } return 0; }
[ "mohitpandey94@gmail.com" ]
mohitpandey94@gmail.com