web-dev-qa-db-ja.com

salesforce SOQL:エンティティのすべてのフィールドをフェッチするクエリ

私はSOQLドキュメントを調べていましたが、エンティティのすべてのフィールドデータを取得するクエリを見つけることができませんでした

select * from Account [ SQL syntax ]

SOQLに上記のような構文でaccountのすべてのデータをフェッチするか、または唯一の方法はすべてのフィールドをリストすることです(照会するフィールドがたくさんありますが)

17
Sukhhhh

フィールドを指定する必要があります。動的なものを作成する場合は、describeSObject呼び出しがオブジェクトのすべてのフィールドに関するメタデータを返すため、そこからクエリを作成できます。

18
superfell

次のようなマップを作成します。

Map<String, Schema.SObjectField> fldObjMap = schema.SObjectType.Account.fields.getMap();
List<Schema.SObjectField> fldObjMapValues = fldObjMap.values();

次に、fldObjMapValuesを反復処理してSOQLクエリ文字列を作成できます。

String theQuery = 'SELECT ';
for(Schema.SObjectField s : fldObjMapValues)
{
   String theLabel = s.getDescribe().getLabel(); // Perhaps store this in another map
   String theName = s.getDescribe().getName();
   String theType = s.getDescribe().getType(); // Perhaps store this in another map

   // Continue building your dynamic query string
   theQuery += theName + ',';
}

// Trim last comma
theQuery = theQuery.subString(0, theQuery.length() - 1);

// Finalize query string
theQuery += ' FROM Account WHERE ... AND ... LIMIT ...';

// Make your dynamic call
Account[] accounts = Database.query(theQuery);

superfellは正しいです。直接SELECT *を実行する方法はありません。ただし、この小さなコードレシピは機能します(まあ、私はテストしていませんが、問題はないようです)。当然のことながら、Force.comは、リソースが明示的に必要な場合にのみプロビジョニングされるマルチテナントアーキテクチャを望んでいます。

25
Adam

Force.com Explorerを使用し、スキーマフィルター内でTableNameの横にあるチェックボックスをクリックすると、すべてのフィールドが選択されてクエリウィンドウに挿入されます。これをすべて入力するためのショートカットとして使用します-コピーしてクエリウィンドウから貼り付けます。お役に立てれば。

6

誰かがC#のアプローチを探していた場合、リフレクションを使用して次のことを考え出すことができました。

public IEnumerable<String> GetColumnsFor<T>()
{
    return typeof(T).GetProperties(System.Reflection.BindingFlags.Public | System.Reflection.BindingFlags.Instance)
        .Where(x => !Attribute.IsDefined(x, typeof(System.Xml.Serialization.XmlIgnoreAttribute))) // Exclude the ignored properties
        .Where(x => x.DeclaringType != typeof(sObject)) // & Exclude inherited sObject propert(y/ies)
        .Where(x => x.PropertyType.Namespace != typeof(Account).Namespace)  // & Exclude properties storing references to other objects
        .Select(x => x.Name);
}

私がテストしたオブジェクトで機能するように見えます(APIテストで生成された列と一致します)。そこから、クエリを作成します。

/* assume: this.server = new sForceService(); */

public IEnumerable<T> QueryAll<T>(params String[] columns)
    where T : sObject
{
    String soql = String.Format("SELECT {0} FROM {1}",
        String.Join(", ", GetColumnsFor<T>()),
        typeof(T).Name
    );
    this.service.QueryOptionsValue = new QueryOptions
    {
        batchsize = 250,
        batchSizeSpecified = true
    };
    ICollection<T> results = new HashSet<T>();
    try
    {
        Boolean done = false;
        QueryResult queryResult = this.service.queryAll(soql);
        while (!finished)
        {
            sObject[] records = queryResult.records;
            foreach (sObject record in records)
            {
                T entity = entity as T;
                if (entity != null)
                {
                    results.Add(entity);
                }
            }
            done &= queryResult.done;
            if (!done)
            {
                queryResult = this.service.queryMode(queryResult.queryLocator);
            }
        }
    }
    catch (Exception ex)
    {
        throw; // your exception handling
    }
    return results;
}
3
Brad Christie

私にとって、今日のSalesforceは初めてで、Javaでこれを思いつきました。

/**
 * @param o any class that extends {@link SObject}, f.ex. Opportunity.class
 * @return a list of all the objects of this type
 */
@SuppressWarnings("unchecked")
public <O extends SObject> List<O> getAll(Class<O> o) throws Exception {
    // get the objectName; for example "Opportunity"
    String objectName= o.getSimpleName();

    // this will give us all the possible fields of this type of object
    DescribeSObjectResult describeSObject = connection.describeSObject(objectName);

    // making the query
    String query = "SELECT ";
    for (Field field : describeSObject.getFields()) { // add all the fields in the SELECT
        query += field.getName() + ',';
    }
    // trim last comma
    query = query.substring(0, query.length() - 1);

    query += " FROM " + objectName;

    SObject[] records = connection.query(query).getRecords();

    List<O> result = new ArrayList<O>();
    for (SObject record : records) {
        result.add((O) record);
    }
    return result;
}
1
Koen De Jaeger

私は完全な記録を得るために以下を使用しました-

query_all("Select Id, Name From User_Profile__c")

レコードの完全なフィールドを取得するには、ここに記載されているようにそれらのフィールドに言及する必要があります https://developer.salesforce.com/docs/atlas.en-us.soql_sosl.meta/soql_sosl/sforce_api_calls_soql_select.htm =

願っています!!!

0
S.Yadav